From d69f965f790653bcc6358694f8dd9eb496aa1dd6 Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Sat, 14 Jan 2023 22:31:39 +0100 Subject: [PATCH 001/143] Filters checkboxes using features' properties --- umap/static/umap/base.css | 1 + umap/static/umap/js/umap.controls.js | 110 ++++++++++++++++++++++++++- umap/static/umap/js/umap.core.js | 2 + umap/static/umap/js/umap.forms.js | 3 +- umap/static/umap/js/umap.js | 32 +++++++- umap/static/umap/map.css | 13 +++- 6 files changed, 153 insertions(+), 8 deletions(-) diff --git a/umap/static/umap/base.css b/umap/static/umap/base.css index e4d9eed4..8e4c928f 100644 --- a/umap/static/umap/base.css +++ b/umap/static/umap/base.css @@ -508,6 +508,7 @@ i.info { .umap-layer-properties-container, .umap-footer-container, .umap-browse-data, +.umap-filter-data, .umap-browse-datalayers { padding: 0 10px; } diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index b7b9bff7..4884304a 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -695,7 +695,7 @@ L.U.Map.include({ var build = function () { ul.innerHTML = ''; datalayer.eachFeature(function (feature) { - if (filterValue && !feature.matchFilter(filterValue, filterKeys)) return; + if ((filterValue && !feature.matchFilter(filterValue, filterKeys)) || feature.properties.isVisible === false) return; ul.appendChild(addFeature(feature)); }); }; @@ -732,6 +732,114 @@ L.U.Map.include({ label.textContent = label.title = L._('About'); L.DomEvent.on(link, 'click', this.displayCaption, this); this.ui.openPanel({data: {html: browserContainer}, actions: [link]}); + }, + + _openFilter: function () { + var filterContainer = L.DomUtil.create('div', 'umap-filter-data'), + title = L.DomUtil.add('h3', 'umap-filter-title', filterContainer, this.options.name), + propertiesContainer = L.DomUtil.create('div', 'umap-filter-properties', filterContainer), + advancedFilterKeys = this.getAdvancedFilterKeys(); + + var advancedFiltersFull = {}; + var filtersAlreadyLoaded = true; + if (!this.getMap().options.advancedFilters) { + this.getMap().options.advancedFilters = {}; + filtersAlreadyLoaded = false; + } + advancedFilterKeys.forEach(property => { + advancedFiltersFull[property] = []; + if (!filtersAlreadyLoaded) { + this.getMap().options.advancedFilters[property] = []; + } + }); + this.eachDataLayer(function (datalayer) { + datalayer.eachFeature(function (feature) { + advancedFilterKeys.forEach(property => { + if (feature.properties[property]) { + if (!advancedFiltersFull[property].includes(feature.properties[property])) { + advancedFiltersFull[property].push(feature.properties[property]); + } + } + }); + }); + }); + + var addPropertyValue = function (property, value) { + var property_li = L.DomUtil.create('li', ''), + filter_check = L.DomUtil.create('input', '', property_li), + filter_label = L.DomUtil.create('label', '', property_li); + filter_check.type = 'checkbox'; + filter_check.id = `checkbox_${property}_${value}`; + filter_check.checked = this.getMap().options.advancedFilters[property] && this.getMap().options.advancedFilters[property].includes(value); + filter_check.setAttribute('data-property', property); + filter_check.setAttribute('data-value', value); + filter_label.htmlFor = `checkbox_${property}_${value}`; + filter_label.innerHTML = value; + L.DomEvent.on(filter_check, 'change', function (e) { + var property = e.srcElement.dataset.property; + var value = e.srcElement.dataset.value; + if (e.srcElement.checked) { + this.getMap().options.advancedFilters[property].push(value); + } else { + this.getMap().options.advancedFilters[property].splice(this.getMap().options.advancedFilters[property].indexOf(value), 1); + } + L.bind(filterFeatures, this)(); + }, this); + return property_li + }; + + var addProperty = function (property) { + var container = L.DomUtil.create('div', 'property-container', propertiesContainer), + headline = L.DomUtil.add('h5', '', container, property); + var ul = L.DomUtil.create('ul', '', container); + var orderedValues = advancedFiltersFull[property]; + orderedValues.sort(); + orderedValues.forEach(value => { + ul.appendChild(L.bind(addPropertyValue, this)(property, value)); + }); + }; + + var filterFeatures = function () { + var noResults = true; + this.eachDataLayer(function (datalayer) { + datalayer.eachFeature(function (feature) { + feature.properties.isVisible = true; + for (const [property, values] of Object.entries(this.map.options.advancedFilters)) { + if (values.length > 0) { + if (!feature.properties[property] || !values.includes(feature.properties[property])) { + feature.properties.isVisible = false; + } + } + } + if (feature.properties.isVisible) { + noResults = false; + if (!this.isLoaded()) this.fetchData(); + this.map.addLayer(feature); + this.fire('show'); + } else { + this.map.removeLayer(feature); + this.fire('hide'); + } + }); + }); + if (noResults) { + this.help.show('advancedFiltersNoResults'); + } else { + this.help.hide(); + } + }; + + propertiesContainer.innerHTML = ''; + advancedFilterKeys.forEach(property => { + L.bind(addProperty, this)(property); + }); + + var link = L.DomUtil.create('li', ''); + L.DomUtil.create('i', 'umap-icon-16 umap-caption', link); + var label = L.DomUtil.create('span', '', link); + label.textContent = label.title = L._('About'); + L.DomEvent.on(link, 'click', this.displayCaption, this); + this.ui.openPanel({ data: { html: filterContainer }, actions: [link] }); } }); diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 02afe2cd..a6201360 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -455,6 +455,8 @@ L.U.Help = L.Class.extend({ sortKey: L._('Property to use for sorting features'), slugKey: L._('The name of the property to use as feature unique identifier.'), filterKey: L._('Comma separated list of properties to use when filtering features'), + advancedFilterKey: L._('Comma separated list of properties to use for checkbox filtering'), + advancedFiltersNoResults: L._('No results for these filters'), interactive: L._('If false, the polygon will act as a part of the underlying map.'), outlink: L._('Define link to open in a new window on polygon click.'), dynamicRemoteData: L._('Fetch data each time map view changes.'), diff --git a/umap/static/umap/js/umap.forms.js b/umap/static/umap/js/umap.forms.js index 88c03703..0067b4c6 100644 --- a/umap/static/umap/js/umap.forms.js +++ b/umap/static/umap/js/umap.forms.js @@ -287,7 +287,8 @@ L.FormBuilder.onLoadPanel = L.FormBuilder.Select.extend({ selectOptions: [ ['none', L._('None')], ['caption', L._('Caption')], - ['databrowser', L._('Data browser')] + ['databrowser', L._('Data browser')], + ['datafilters', L._('Data filters')] ] }); diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 92ca44a2..4222ef49 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -210,6 +210,7 @@ L.U.Map.include({ this.onceDatalayersLoaded(function () { if (this.options.onLoadPanel === 'databrowser') this.openBrowser(); else if (this.options.onLoadPanel === 'caption') this.displayCaption(); + else if (this.options.onLoadPanel === 'datafilters') this.openFilter(); }); this.onceDataLoaded(function () { const slug = L.Util.queryString('feature'); @@ -893,6 +894,12 @@ L.U.Map.include({ }); }, + openFilter: function () { + this.onceDatalayersLoaded(function () { + this._openFilter(); + }); + }, + displayCaption: function () { var container = L.DomUtil.create('div', 'umap-caption'), title = L.DomUtil.create('h3', '', container); @@ -948,10 +955,15 @@ L.U.Map.include({ umapCredit.innerHTML = L._('Powered by Leaflet and Django, glued by uMap project.', urls); var browser = L.DomUtil.create('li', ''); L.DomUtil.create('i', 'umap-icon-16 umap-list', browser); - var label = L.DomUtil.create('span', '', browser); - label.textContent = label.title = L._('Browse data'); + var labelBrowser = L.DomUtil.create('span', '', browser); + labelBrowser.textContent = labelBrowser.title = L._('Browse data'); L.DomEvent.on(browser, 'click', this.openBrowser, this); - this.ui.openPanel({data: {html: container}, actions: [browser]}); + var filter = L.DomUtil.create('li', ''); + L.DomUtil.create('i', 'umap-icon-16 umap-add', filter); + var labelFilter = L.DomUtil.create('span', '', filter); + labelFilter.textContent = labelFilter.title = L._('Filter data'); + L.DomEvent.on(filter, 'click', this.openFilter, this); + this.ui.openPanel({data: {html: container}, actions: [browser, filter]}); }, eachDataLayer: function (method, context) { @@ -1057,6 +1069,7 @@ L.U.Map.include({ 'sortKey', 'labelKey', 'filterKey', + 'advancedFilterKey', 'slugKey', 'showLabel', 'labelDirection', @@ -1253,6 +1266,7 @@ L.U.Map.include({ 'options.labelKey', ['options.sortKey', {handler: 'BlurInput', helpEntries: 'sortKey', placeholder: L._('Default: name'), label: L._('Sort key'), inheritable: true}], ['options.filterKey', {handler: 'Input', helpEntries: 'filterKey', placeholder: L._('Default: name'), label: L._('Filter keys'), inheritable: true}], + ['options.advancedFilterKey', {handler: 'Input', helpEntries: 'advancedFilterKey', placeholder: L._('Example: key1,key2,key3'), label: L._('Advanced filter keys'), inheritable: true}], ['options.slugKey', {handler: 'BlurInput', helpEntries: 'slugKey', placeholder: L._('Default: name'), label: L._('Feature identifier key')}] ]; @@ -1435,6 +1449,10 @@ L.U.Map.include({ browser.href = '#'; L.DomEvent.on(browser, 'click', L.DomEvent.stop) .on(browser, 'click', this.openBrowser, this); + var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); + filter.href = '#'; + L.DomEvent.on(filter, 'click', L.DomEvent.stop) + .on(filter, 'click', this.openFilter, this); var setName = function () { name.textContent = this.getDisplayName(); }; @@ -1620,6 +1638,10 @@ L.U.Map.include({ text: L._('Browse data'), callback: this.openBrowser }, + { + text: L._('Filter data'), + callback: this.openFilter + }, { text: L._('About'), callback: this.displayCaption @@ -1698,6 +1720,10 @@ L.U.Map.include({ getFilterKeys: function () { return (this.options.filterKey || this.options.sortKey || 'name').split(','); + }, + + getAdvancedFilterKeys: function () { + return (this.options.advancedFilterKey || '').split(","); } }); diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index 707821c7..c57f4596 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -729,20 +729,24 @@ a.add-datalayer:hover, margin-bottom: 14px; border-radius: 2px; } +.umap-browse-features h5, .umap-filter-data h5 { + margin-bottom: 0; + overflow: hidden; + padding-left: 5px; +} .umap-browse-features h5 { height: 30px; line-height: 30px; background-color: #eeeee0; - margin-bottom: 0; color: #666; - overflow: hidden; - padding-left: 5px; } .umap-browse-features h5 span { margin-left: 10px; } .umap-browse-features li { padding: 2px 0; +} +.umap-browse-features li, .umap-filter-data li { white-space: nowrap; overflow: hidden; text-overflow: ellipsis; @@ -775,6 +779,9 @@ a.add-datalayer:hover, .umap-browse-features .polygon .feature-color { background-position: -32px -16px; } +.umap-filter-data .property-container:not(:first-child) { + margin-top: 14px; +} .show-on-edit { display: none!important; } From 57ba42061c7079e34cfc1566dea1c08efdaa9ab0 Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Sat, 14 Jan 2023 22:48:16 +0100 Subject: [PATCH 002/143] Permanent credits feature in the bottom left corner --- umap/static/umap/js/umap.controls.js | 41 ++++++++++++++++++++++++++++ umap/static/umap/js/umap.core.js | 1 + umap/static/umap/js/umap.js | 14 ++++++++-- umap/static/umap/map.css | 11 ++++++++ 4 files changed, 64 insertions(+), 3 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 4884304a..eaed1b82 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -434,6 +434,47 @@ L.U.MoreControls = L.Control.extend({ }); +L.U.PermanentCreditsControl = L.Control.extend({ + + options: { + position: 'bottomleft' + }, + + initialize: function (map) { + this.map = map; + }, + + onAdd: function () { + var paragraphContainer = L.DomUtil.create('div', 'umap-permanent-credits-container'), + creditsParagraph = L.DomUtil.create('p', '', paragraphContainer); + + this.paragraphContainer = paragraphContainer; + this.setCredits(); + this.setBackground(); + + return paragraphContainer; + }, + + _update: function () { + this.setCredits(); + this.setBackground(); + }, + + setCredits: function () { + this.paragraphContainer.innerHTML = L.Util.toHTML(this.map.options.permanentCredit); + }, + + setBackground: function () { + if (this.map.options.permanentCreditBackground) { + this.paragraphContainer.style.backgroundColor = '#FFFFFFB0'; + } else { + this.paragraphContainer.style.backgroundColor = ''; + } + } + +}); + + L.U.DataLayersControl = L.Control.extend({ options: { diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index a6201360..30aaa4cb 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -452,6 +452,7 @@ L.U.Help = L.Class.extend({ fillColor: L._('Optional. Same as color if not set.'), shortCredit: L._('Will be displayed in the bottom right corner of the map'), longCredit: L._('Will be visible in the caption of the map'), + permanentCredit: L._('Will be permanently visible in the bottom left corner of the map'), sortKey: L._('Property to use for sorting features'), slugKey: L._('The name of the property to use as feature unique identifier.'), filterKey: L._('Comma separated list of properties to use when filtering features'), diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 4222ef49..6521c221 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -46,7 +46,8 @@ L.Map.mergeOptions({ slideshow: {}, clickable: true, easing: true, - permissions: {} + permissions: {}, + permanentCreditBackground: true, }); L.U.Map.include({ @@ -274,6 +275,7 @@ L.U.Map.include({ this._controls.measure = (new L.MeasureControl()).initHandler(this); this._controls.more = new L.U.MoreControls(); this._controls.scale = L.control.scale(); + if (this.options.permanentCredit) this.permanentCreditControl = (new L.U.PermanentCreditsControl(this)).addTo(this); if (this.options.scrollWheelZoom) this.scrollWheelZoom.enable(); else this.scrollWheelZoom.disable(); this.renderControls(); @@ -1076,6 +1078,8 @@ L.U.Map.include({ 'labelInteractive', 'shortCredit', 'longCredit', + 'permanentCredit', + 'permanentCreditBackground', 'zoomControl', 'datalayersControl', 'searchControl', @@ -1379,10 +1383,14 @@ L.U.Map.include({ var creditsFields = [ ['options.licence', {handler: 'LicenceChooser', label: L._('licence')}], ['options.shortCredit', {handler: 'Input', label: L._('Short credits'), helpEntries: ['shortCredit', 'textFormatting']}], - ['options.longCredit', {handler: 'Textarea', label: L._('Long credits'), helpEntries: ['longCredit', 'textFormatting']}] + ['options.longCredit', {handler: 'Textarea', label: L._('Long credits'), helpEntries: ['longCredit', 'textFormatting']}], + ['options.permanentCredit', {handler: 'Textarea', label: L._('Permanent credits'), helpEntries: ['permanentCredit', 'textFormatting']}], + ['options.permanentCreditBackground', {handler: 'Switch', label: L._('Permanent credits background')}] ]; var creditsBuilder = new L.U.FormBuilder(this, creditsFields, { - callback: function () {this._controls.attribution._update();}, + callback: function () { + this._controls.attribution._update(); + this.permanentCreditControl._update();}, callbackContext: this }); credits.appendChild(creditsBuilder.build()); diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index c57f4596..5939f335 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -117,6 +117,12 @@ a.umap-control-text { .leaflet-control-edit-enable a:hover { background-color: #4d5759; } +.umap-permanent-credits-container { + max-width: 20rem; + margin: 0!important; + padding: 0.5rem; + border-top-right-radius: 1rem; +} @@ -1366,6 +1372,11 @@ a.add-datalayer:hover, .leaflet-control-layers-expanded { margin-left: 10px; } + + .umap-permanent-credits-container { + max-width: 100%; + border-top-right-radius: 0; + } } /* ****** */ From 423084e9ea186fb50d6788e7eece837caa37db69 Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Sat, 14 Jan 2023 23:15:27 +0100 Subject: [PATCH 003/143] Interface option to hide caption menus --- umap/static/umap/js/umap.controls.js | 17 ++++++++----- umap/static/umap/js/umap.forms.js | 1 + umap/static/umap/js/umap.js | 38 ++++++++++++++++++---------- 3 files changed, 35 insertions(+), 21 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index eaed1b82..608f73a0 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -954,12 +954,14 @@ L.U.AttributionControl = L.Control.Attribution.extend({ if (this._map.options.shortCredit) { L.DomUtil.add('span', '', this._container, ' — ' + L.Util.toHTML(this._map.options.shortCredit)); } - var link = L.DomUtil.add('a', '', this._container, ' — ' + L._('About')); - L.DomEvent - .on(link, 'click', L.DomEvent.stop) - .on(link, 'click', this._map.displayCaption, this._map) - .on(link, 'dblclick', L.DomEvent.stop); - if (window.top === window.self) { + if (this._map.options.captionMenus) { + var link = L.DomUtil.add('a', '', this._container, ' — ' + L._('About')); + L.DomEvent + .on(link, 'click', L.DomEvent.stop) + .on(link, 'click', this._map.displayCaption, this._map) + .on(link, 'dblclick', L.DomEvent.stop); + } + if (window.top === window.self && this._map.options.captionMenus) { // We are not in iframe mode var home = L.DomUtil.add('a', '', this._container, ' — ' + L._('Home')); home.href = '/'; @@ -1150,7 +1152,8 @@ L.U.IframeExporter = L.Evented.extend({ embedControl: null, datalayersControl: true, onLoadPanel: 'none', - captionBar: false + captionBar: false, + captionMenus: true }, dimensions: { diff --git a/umap/static/umap/js/umap.forms.js b/umap/static/umap/js/umap.forms.js index 0067b4c6..b3a37733 100644 --- a/umap/static/umap/js/umap.forms.js +++ b/umap/static/umap/js/umap.forms.js @@ -759,6 +759,7 @@ L.U.FormBuilder = L.FormBuilder.extend({ onLoadPanel: {handler: 'onLoadPanel', label: L._('Do you want to display a panel on load?')}, displayPopupFooter: {handler: 'Switch', label: L._('Do you want to display popup footer?')}, captionBar: {handler: 'Switch', label: L._('Do you want to display a caption bar?')}, + captionMenus: {handler: 'Switch', label: L._('Do you want to display caption menus?')}, zoomTo: {handler: 'IntInput', placeholder: L._('Inherit'), helpEntries: 'zoomTo', label: L._('Default zoom level'), inheritable: true}, showLabel: {handler: 'LabelChoice', label: L._('Display label'), inheritable: true}, labelDirection: {handler: 'LabelDirection', label: L._('Label direction'), inheritable: true}, diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 6521c221..fd59c5ea 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -43,6 +43,7 @@ L.Map.mergeOptions({ ], moreControl: true, captionBar: false, + captionMenus: true, slideshow: {}, clickable: true, easing: true, @@ -89,6 +90,7 @@ L.U.Map.include({ L.Util.setBooleanFromQueryString(this.options, 'displayDataBrowserOnLoad'); L.Util.setBooleanFromQueryString(this.options, 'displayCaptionOnLoad'); L.Util.setBooleanFromQueryString(this.options, 'captionBar'); + L.Util.setBooleanFromQueryString(this.options, 'captionMenus'); for (var i = 0; i < this.HIDDABLE_CONTROLS.length; i++) { L.Util.setNullableBooleanFromQueryString(this.options, this.HIDDABLE_CONTROLS[i] + 'Control'); } @@ -628,7 +630,8 @@ L.U.Map.include({ 'queryString.miniMap', 'queryString.scaleControl', 'queryString.onLoadPanel', - 'queryString.captionBar' + 'queryString.captionBar', + 'queryString.captionMenus' ]; for (var i = 0; i < this.HIDDABLE_CONTROLS.length; i++) { UIFields.push('queryString.' + this.HIDDABLE_CONTROLS[i] + 'Control'); @@ -1067,6 +1070,7 @@ L.U.Map.include({ 'popupContentTemplate', 'zoomTo', 'captionBar', + 'captionMenus', 'slideshow', 'sortKey', 'labelKey', @@ -1232,10 +1236,14 @@ L.U.Map.include({ 'options.scaleControl', 'options.onLoadPanel', 'options.displayPopupFooter', - 'options.captionBar' + 'options.captionBar', + 'options.captionMenus' ]); builder = new L.U.FormBuilder(this, UIFields, { - callback: this.renderControls, + callback: function() { + this.renderControls(); + this.initCaptionBar(); + }, callbackContext: this }); var controlsOptions = L.DomUtil.createFieldset(container, L._('User interface options')); @@ -1450,17 +1458,19 @@ L.U.Map.include({ name = L.DomUtil.create('h3', '', container); L.DomEvent.disableClickPropagation(container); this.permissions.addOwnerLink('span', container); - var about = L.DomUtil.add('a', 'umap-about-link', container, ' — ' + L._('About')); - about.href = '#'; - L.DomEvent.on(about, 'click', this.displayCaption, this); - var browser = L.DomUtil.add('a', 'umap-open-browser-link', container, ' | ' + L._('Browse data')); - browser.href = '#'; - L.DomEvent.on(browser, 'click', L.DomEvent.stop) - .on(browser, 'click', this.openBrowser, this); - var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); - filter.href = '#'; - L.DomEvent.on(filter, 'click', L.DomEvent.stop) - .on(filter, 'click', this.openFilter, this); + if (this.options.captionMenus) { + var about = L.DomUtil.add('a', 'umap-about-link', container, ' — ' + L._('About')); + about.href = '#'; + L.DomEvent.on(about, 'click', this.displayCaption, this); + var browser = L.DomUtil.add('a', 'umap-open-browser-link', container, ' | ' + L._('Browse data')); + browser.href = '#'; + L.DomEvent.on(browser, 'click', L.DomEvent.stop) + .on(browser, 'click', this.openBrowser, this); + var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); + filter.href = '#'; + L.DomEvent.on(filter, 'click', L.DomEvent.stop) + .on(filter, 'click', this.openFilter, this); + } var setName = function () { name.textContent = this.getDisplayName(); }; From ced62d8eedf6b5c44da6da023594fbda2efa883d Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Sun, 22 Jan 2023 00:28:56 +0100 Subject: [PATCH 004/143] Fix controls errors with permanent credits --- umap/static/umap/js/umap.controls.js | 8 ++------ umap/static/umap/js/umap.js | 7 +++---- 2 files changed, 5 insertions(+), 10 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 608f73a0..22294661 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -440,8 +440,9 @@ L.U.PermanentCreditsControl = L.Control.extend({ position: 'bottomleft' }, - initialize: function (map) { + initialize: function (map, options) { this.map = map; + L.Control.prototype.initialize.call(this, options); }, onAdd: function () { @@ -455,11 +456,6 @@ L.U.PermanentCreditsControl = L.Control.extend({ return paragraphContainer; }, - _update: function () { - this.setCredits(); - this.setBackground(); - }, - setCredits: function () { this.paragraphContainer.innerHTML = L.Util.toHTML(this.map.options.permanentCredit); }, diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index fd59c5ea..52fe051d 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -277,7 +277,7 @@ L.U.Map.include({ this._controls.measure = (new L.MeasureControl()).initHandler(this); this._controls.more = new L.U.MoreControls(); this._controls.scale = L.control.scale(); - if (this.options.permanentCredit) this.permanentCreditControl = (new L.U.PermanentCreditsControl(this)).addTo(this); + this._controls.permanentCredit = new L.U.PermanentCreditsControl(this); if (this.options.scrollWheelZoom) this.scrollWheelZoom.enable(); else this.scrollWheelZoom.disable(); this.renderControls(); @@ -310,6 +310,7 @@ L.U.Map.include({ if (status === undefined || status === null) L.DomUtil.addClass(control._container, 'display-on-more'); else L.DomUtil.removeClass(control._container, 'display-on-more'); } + if (this.options.permanentCredit) this._controls.permanentCredit.addTo(this); if (this.options.moreControl) this._controls.more.addTo(this); if (this.options.scaleControl) this._controls.scale.addTo(this); }, @@ -1396,9 +1397,7 @@ L.U.Map.include({ ['options.permanentCreditBackground', {handler: 'Switch', label: L._('Permanent credits background')}] ]; var creditsBuilder = new L.U.FormBuilder(this, creditsFields, { - callback: function () { - this._controls.attribution._update(); - this.permanentCreditControl._update();}, + callback: this.renderControls, callbackContext: this }); credits.appendChild(creditsBuilder.build()); From 2221806b7e7e263e42ce2893daec2dcff40f0caa Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Mon, 13 Feb 2023 17:33:50 +0100 Subject: [PATCH 005/143] Update permanent credits alignement and shape --- umap/static/umap/map.css | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index 5939f335..91371c83 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -119,9 +119,9 @@ a.umap-control-text { } .umap-permanent-credits-container { max-width: 20rem; - margin: 0!important; + margin-left: 5px!important; + margin-bottom: 5px!important; padding: 0.5rem; - border-top-right-radius: 1rem; } @@ -1375,7 +1375,6 @@ a.add-datalayer:hover, .umap-permanent-credits-container { max-width: 100%; - border-top-right-radius: 0; } } From ce17f8dfe083621887fa917f069005e149acbef2 Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Wed, 15 Feb 2023 18:46:20 +0100 Subject: [PATCH 006/143] Fix undefined error without refreshing page after creating advanced filters --- umap/static/umap/js/umap.controls.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 22294661..2ca538b9 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -785,7 +785,7 @@ L.U.Map.include({ } advancedFilterKeys.forEach(property => { advancedFiltersFull[property] = []; - if (!filtersAlreadyLoaded) { + if (!filtersAlreadyLoaded || !this.getMap().options.advancedFilters[property]) { this.getMap().options.advancedFilters[property] = []; } }); From 6d900ac79f489c1b27ee538ddd93883d03e872e2 Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Sat, 18 Feb 2023 10:13:12 +0100 Subject: [PATCH 007/143] Show filters menu only if filter keys are defined --- umap/static/umap/js/umap.js | 43 ++++++++++++++++++++++--------------- 1 file changed, 26 insertions(+), 17 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 52fe051d..89bcb857 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -964,12 +964,16 @@ L.U.Map.include({ var labelBrowser = L.DomUtil.create('span', '', browser); labelBrowser.textContent = labelBrowser.title = L._('Browse data'); L.DomEvent.on(browser, 'click', this.openBrowser, this); - var filter = L.DomUtil.create('li', ''); - L.DomUtil.create('i', 'umap-icon-16 umap-add', filter); - var labelFilter = L.DomUtil.create('span', '', filter); - labelFilter.textContent = labelFilter.title = L._('Filter data'); - L.DomEvent.on(filter, 'click', this.openFilter, this); - this.ui.openPanel({data: {html: container}, actions: [browser, filter]}); + var actions = [browser]; + if (this.options.advancedFilterKey) { + var filter = L.DomUtil.create('li', ''); + L.DomUtil.create('i', 'umap-icon-16 umap-add', filter); + var labelFilter = L.DomUtil.create('span', '', filter); + labelFilter.textContent = labelFilter.title = L._('Filter data'); + L.DomEvent.on(filter, 'click', this.openFilter, this); + actions.push(filter) + } + this.ui.openPanel({data: {html: container}, actions: actions}); }, eachDataLayer: function (method, context) { @@ -1285,6 +1289,7 @@ L.U.Map.include({ builder = new L.U.FormBuilder(this, optionsFields, { callback: function (e) { + this.initCaptionBar(); this.eachDataLayer(function (datalayer) { if (e.helper.field === 'options.sortKey') datalayer.reindex(); datalayer.redraw(); @@ -1465,10 +1470,12 @@ L.U.Map.include({ browser.href = '#'; L.DomEvent.on(browser, 'click', L.DomEvent.stop) .on(browser, 'click', this.openBrowser, this); - var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); - filter.href = '#'; - L.DomEvent.on(filter, 'click', L.DomEvent.stop) - .on(filter, 'click', this.openFilter, this); + if (this.options.advancedFilterKey) { + var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); + filter.href = '#'; + L.DomEvent.on(filter, 'click', L.DomEvent.stop) + .on(filter, 'click', this.openFilter, this); + } } var setName = function () { name.textContent = this.getDisplayName(); @@ -1650,15 +1657,17 @@ L.U.Map.include({ }); } } - items.push('-', - { - text: L._('Browse data'), - callback: this.openBrowser - }, - { + items.push('-', { + text: L._('Browse data'), + callback: this.openBrowser + }); + if (this.options.advancedFilterKey) { + items.push({ text: L._('Filter data'), callback: this.openFilter - }, + }) + } + items.push( { text: L._('About'), callback: this.displayCaption From bd1dd4e233fa87d2480c0dcbc982f467c268abae Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 22 Feb 2023 10:23:03 +0100 Subject: [PATCH 008/143] i18n --- .tx/config | 4 +- umap/locale/cs_CZ/LC_MESSAGES/django.po | 17 +- umap/locale/el/LC_MESSAGES/django.po | 11 +- umap/locale/fr/LC_MESSAGES/django.po | 15 +- umap/locale/nl/LC_MESSAGES/django.po | 33 +- umap/settings/base.py | 9 + umap/static/umap/locale/cs_CZ.json | 18 +- umap/static/umap/locale/de.json | 4 +- umap/static/umap/locale/el.json | 16 +- umap/static/umap/locale/fa_IR.json | 730 ++++++++++++------------ umap/static/umap/locale/fr.json | 6 +- umap/static/umap/locale/it.json | 18 +- umap/static/umap/locale/nl.json | 4 +- umap/static/umap/locale/sv.json | 6 +- 14 files changed, 452 insertions(+), 439 deletions(-) diff --git a/.tx/config b/.tx/config index 45e25e76..c2412607 100644 --- a/.tx/config +++ b/.tx/config @@ -1,13 +1,13 @@ [main] host = https://www.transifex.com -[umap.backend] +[o:openstreetmap:p:umap:r:backend] file_filter = umap/locale//LC_MESSAGES/django.po source_file = umap/locale/en/LC_MESSAGES/django.po source_lang = en type = PO -[umap.frontend] +[o:openstreetmap:p:umap:r:frontend] file_filter = umap/static/umap/locale/.json source_file = umap/static/umap/locale/en.json source_lang = en diff --git a/umap/locale/cs_CZ/LC_MESSAGES/django.po b/umap/locale/cs_CZ/LC_MESSAGES/django.po index 948e0ece..546c3ea4 100644 --- a/umap/locale/cs_CZ/LC_MESSAGES/django.po +++ b/umap/locale/cs_CZ/LC_MESSAGES/django.po @@ -3,19 +3,20 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Aleš Fiala , 2023 # Jakub A. Tesinsky, 2014 # Jakub A. Tesinsky, 2014 -# trendspotter , 2019 -# trendspotter , 2018 -# trendspotter , 2018 -# trendspotter , 2018-2019 +# Jiří Podhorecký, 2019 +# Jiří Podhorecký, 2018 +# Jiří Podhorecký, 2018 +# Jiří Podhorecký, 2018-2019 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-07-10 10:59+0000\n" -"Last-Translator: trendspotter \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Aleš Fiala , 2023\n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/openstreetmap/umap/language/cs_CZ/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -185,7 +186,7 @@ msgstr "Kopie" #: umap/models.py:261 msgid "display on load" -msgstr "zbraz na startu" +msgstr "zobrazit při startu" #: umap/models.py:262 msgid "Display this layer on load." diff --git a/umap/locale/el/LC_MESSAGES/django.po b/umap/locale/el/LC_MESSAGES/django.po index 1d063d94..6ed42a5e 100644 --- a/umap/locale/el/LC_MESSAGES/django.po +++ b/umap/locale/el/LC_MESSAGES/django.po @@ -6,6 +6,7 @@ # Emmanuel Verigos , 2017-2018,2021 # Emmanuel Verigos , 2018 # Emmanuel Verigos , 2017 +# Jim Kats , 2022 # prendi , 2017 # Yannis Kaskamanidis , 2021 msgid "" @@ -13,8 +14,8 @@ msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \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" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Jim Kats , 2022\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" @@ -100,7 +101,7 @@ 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" @@ -229,7 +230,7 @@ msgstr "Παρακαλώ επιλέξτε έναν πάροχο" msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "Το uMap σου επιτρέπει να δημιουργήσεις χάρτες μεOpenStreetMap επίπεδα πολύ γρήγορα και να τα ενσωματώσεις στον ιστότοπο σου." +msgstr "Το uMap σου επιτρέπει να δημιουργήσεις πολύ γρήγορα χάρτες μεOpenStreetMap και να τους ενσωματώσεις στον ιστότοπο σου." #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" @@ -274,7 +275,7 @@ 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..." diff --git a/umap/locale/fr/LC_MESSAGES/django.po b/umap/locale/fr/LC_MESSAGES/django.po index e87cae02..d93ce673 100644 --- a/umap/locale/fr/LC_MESSAGES/django.po +++ b/umap/locale/fr/LC_MESSAGES/django.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# bagage , 2021 # Buggi, 2013 # Buggi, 2013 # Buggi, 2013 @@ -18,15 +19,15 @@ 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-07-17 18:43+0000\n" -"Last-Translator: spf\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: bagage , 2021\n" "Language-Team: French (http://www.transifex.com/openstreetmap/umap/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Language: fr\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"Plural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -114,7 +115,7 @@ msgstr "Ordre des calques de tuiles dans le panneau de modification" #: umap/models.py:116 msgid "Only editors can edit" -msgstr "Seuls les modificateurs peuvent modifier" +msgstr "Seuls les éditeurs peuvent modifier" #: umap/models.py:117 msgid "Only owner can edit" @@ -170,7 +171,7 @@ msgstr "créateur" #: umap/models.py:139 msgid "editors" -msgstr "modificateurs" +msgstr "éditeurs" #: umap/models.py:140 msgid "edit status" @@ -365,7 +366,7 @@ msgstr "La carte a été mise à jour !" #: umap/views.py:587 msgid "Map editors updated with success!" -msgstr "Modificateurs de la carte mis à jour !" +msgstr "Éditeurs de la carte mis à jour !" #: umap/views.py:612 msgid "Only its owner can delete the map." diff --git a/umap/locale/nl/LC_MESSAGES/django.po b/umap/locale/nl/LC_MESSAGES/django.po index e8a02262..00e704ac 100644 --- a/umap/locale/nl/LC_MESSAGES/django.po +++ b/umap/locale/nl/LC_MESSAGES/django.po @@ -4,13 +4,14 @@ # # Translators: # Cees Geuze , 2020 +# danieldegroot2 , 2022 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-07-19 19:55+0000\n" -"Last-Translator: Cees Geuze \n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: danieldegroot2 , 2022\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" @@ -25,7 +26,7 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "" +msgstr "Dit is een demo-versie, gebruikt voor tests en pre-rolling releases. Als u een stabiele versie nodig hebt, gebruik %(stable_url)s. U kan ook uw eigen versie hosten, het is namelijk open source!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 @@ -42,7 +43,7 @@ msgstr "Mijn kaarten" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 msgid "Log in" -msgstr "" +msgstr "Inloggen" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 @@ -68,19 +69,19 @@ msgstr "Zoeken" #: umap/forms.py:40 #, python-format msgid "Secret edit link is %s" -msgstr "" +msgstr "Geheime link om te bewerken is %s" #: umap/forms.py:44 umap/models.py:115 msgid "Everyone can edit" -msgstr "Iedereen kan wijzigen" +msgstr "Iedereen kan wijzigingen maken" #: umap/forms.py:45 msgid "Only editable with secret edit link" -msgstr "" +msgstr "Alleen te bewerken met een geheime link" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "Kaart is 'alleen lezen' wegens onderhoud" +msgstr "Site is 'alleen lezen' wegens onderhoud" #: umap/models.py:17 msgid "name" @@ -96,11 +97,11 @@ msgstr "Link naar pagina waar de licentie details staan" #: umap/models.py:63 msgid "URL template using OSM tile format" -msgstr "" +msgstr "URL-sjabloon met OSM tegel-formaat" #: umap/models.py:71 msgid "Order of the tilelayers in the edit box" -msgstr "" +msgstr "Volgorde van de tegel-lagen in het bewerkingsvak." #: umap/models.py:116 msgid "Only editors can edit" @@ -188,7 +189,7 @@ msgstr "Toon deze laag tijdens laden." #: umap/templates/404.html:7 msgid "Take me to the home page" -msgstr "Ga naar de home page" +msgstr "Ga naar de home-pagina" #: umap/templates/auth/user_detail.html:7 #, python-format @@ -225,11 +226,11 @@ msgstr "Kies een provider" msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "Maak in enkele ogenblikken kaarten met uMaps OpenStreetMap kaartlagen en toon ze op uw site." +msgstr "Maak in enkele ogenblikken kaarten met OpenStreetMap-kaartlagen en toon ze op uw site." #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" -msgstr "Kies de lagen van je kaart" +msgstr "Kies de lagen van uw kaart" #: umap/templates/umap/about_summary.html:12 msgid "Add POIs: markers, lines, polygons..." @@ -245,11 +246,11 @@ 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...)" -msgstr "" +msgstr "Batchimporteer geo-gestructureerde gegevens (geojson, gpx, kml, osm...)" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "Kies de licentie voor je data" +msgstr "Kies de licentie voor uw data" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" @@ -304,7 +305,7 @@ msgstr "Wachtwoord wijziging" 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 "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." +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" diff --git a/umap/settings/base.py b/umap/settings/base.py index 741da560..1126a6dd 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -30,6 +30,12 @@ LANG_INFO.update({ 'name': 'Sinhala', 'name_local': 'සිංහල', }, + "ms": { + "bidi": False, + "code": "ms", + "name": "Malay", + "name_local": "Bahasa Melayu", + }, }) # Local time zone for this installation. Choices can be found here: # http://en.wikipedia.org/wiki/List_of_tz_zones_by_name @@ -51,6 +57,7 @@ LANGUAGES = ( ('en', 'English'), ('es', 'Spanish'), ('et', 'Estonian'), + ('fa-ir', 'Persian (Iran)'), ('fi', 'Finnish'), ('fr', 'French'), ('gl', 'Galician'), @@ -63,9 +70,11 @@ LANGUAGES = ( ('ja', 'Japanese'), ('ko', 'Korean'), ('lt', 'Lithuanian'), + ('ms', 'Malay'), ('nl', 'Dutch'), ('no', 'Norwegian'), ('pl', 'Polish'), + ('pt', 'Portuguese'), ('pt-br', 'Portuguese (Brazil)'), ('pt-pt', 'Portuguese (Portugal)'), ('ro', 'Romanian'), diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index fdd643d5..7e16f032 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -48,7 +48,7 @@ "Popup content template": "Šablona obsahu bubliny", "Set symbol": "Nastavit symbol", "Side panel": "Boční panel", - "Simplify": "Simplify", + "Simplify": "Zjednodušit", "Symbol or url": "Symbol nebo adresa URL", "Table": "Tabulka", "always": "vždy", @@ -168,7 +168,7 @@ "Edit properties in a table": "Upravit vlastnosti v tabulce", "Edit this feature": "Upravit tento objekt", "Editing": "Upravujete", - "Embed and share this map": "Sílet mapu nebo ji vložit do jiného webu", + "Embed and share this map": "Sdílet mapu nebo ji vložit do jiného webu", "Embed the map": "Vložit mapu do jiného webu", "Empty": "Vyprázdnit", "Enable editing": "Povolit úpravy", @@ -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 set.": "Přiblížení a střed mapy byly nastaveny", + "The zoom and center have been setted.": "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)", @@ -366,9 +366,9 @@ "Optional.": "Volitelné.", "Paste your data here": "Zde vložte svá data", "Please save the map first": "Prosím, nejprve uložte mapu", - "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." -} + "Unable to locate you.": "Nelze vás lokalizovat.", + "Feature identifier key": "Identifikační klíč funkce", + "Open current feature on load": "Otevřít současnou funkci při zatížení", + "Permalink": "Trvalý odkaz", + "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu." +} \ No newline at end of file diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index d49147d9..387953fe 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 set.": "Zoomstufe und Mittelpunkt wurden gespeichert.", + "The zoom and center have been setted.": "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)", @@ -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/el.json b/umap/static/umap/locale/el.json index 0df7f1ef..b55602a5 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -33,7 +33,7 @@ "Drop": "Σταγόνα", "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", - "Heatmap": "Χάρτης εγγύτητας", + "Heatmap": "Χάρτης θερμότητας", "Icon shape": "Μορφή εικονιδίου", "Icon symbol": "Σύμβολο εικονιδίου", "Inherit": "Κληρονομημένο", @@ -135,7 +135,7 @@ "Credits": "Εύσημα", "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", "Custom background": "Προσαρμοσμένο υπόβαθρο", - "Data is browsable": "Τα δεδομένα είναι περιήγησιμα", + "Data is browsable": "Τα δεδομένα είναι περιηγήσιμα", "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", "Default properties": "Προεπιλεγμένες ιδιότητες", "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", @@ -178,11 +178,11 @@ "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", - "Filter…": "Φίλτρα", + "Filter…": "Φίλτρα...", "Format": "Μορφοποίηση", "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", - "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Go to «{feature}»": "Μετάβαση στο «{feature}»", "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", @@ -210,7 +210,7 @@ "Layer properties": "Ιδιότητες επιπέδου", "Licence": "Άδεια", "Limit bounds": "Περιορισμός ορίων", - "Link to…": "Σύνδεση με ...", + "Link to…": "Σύνδεση με...", "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο: [[http://example.com|text του συνδέσμου]]", "Long credits": "Αναλυτικές πιστώσεις", "Longitude": "Γεωγραφικό μήκος", @@ -224,12 +224,12 @@ "Map's owner": "Ιδιοκτήτης του χάρτη", "Merge lines": "Συγχώνευση γραμμών", "More controls": "Περισσότερα εργαλεία ελέγχου", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή # 123456)", + "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.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", "Open download panel": "Ανοίξτε το πλαίσιο λήψης", - "Open link in…": "Άνοιγμα συνδέσμου σε ...", + "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.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", @@ -343,7 +343,7 @@ "mi": "μλ.", "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{area} acres": "{area} άκρα", + "{area} acres": "{area} στρέμματα", "{area} ha": "{area} εκτάρια", "{area} m²": "{area} m²", "{area} mi²": "{area} mi²", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 61dcaac8..26ad208d 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -1,374 +1,374 @@ { - "Add symbol": "Add symbol", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "Add symbol": "اضافه کردن نماد", + "Allow scroll wheel zoom?": "آیا به زوم چرخ اسکرول اجازه داده شود؟", "Automatic": "خودکار", "Ball": "توپ", "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", + "Caption": "زیرنویس", + "Change symbol": "تغییر نماد", + "Choose the data format": "قالب داده را انتخاب کنید", + "Choose the layer of the feature": "لایه ویژگی را انتخاب کنید", + "Circle": "دایره", + "Clustered": "خوشه ای", + "Data browser": "مرورگر داده", + "Default": "پیش فرض", + "Default zoom level": "سطح بزرگنمایی پیش فرض", + "Default: name": "پیش فرض: نام", + "Display label": "برچسب نمایش", + "Display the control to open OpenStreetMap editor": "کنترل را برای باز کردن ویرایشگر اوپن‌استریت‌مپ نمایش دهید", + "Display the data layers control": "نمایش کنترل لایه های داده", + "Display the embed 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": "رها کردن", + "GeoRSS (only link)": "GeoRSS (فقط لینک)", + "GeoRSS (title + image)": "GeoRSS (عنوان + تصویر)", + "Heatmap": "نقشه حرارت و گرما", + "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": "قالب محتوای بازشو", + "Set symbol": "تنظیم نماد", + "Side panel": "پنل کناری", + "Simplify": "ساده کنید", + "Symbol or url": "نماد یا آدرس اینترنتی", + "Table": "جدول", + "always": "همیشه", + "clear": "روشن/شفاف", + "collapsed": "فرو ریخت", + "color": "رنگ", + "dash array": "آرایه خط تیره", + "define": "تعريف كردن", + "description": "شرح", + "expanded": "منبسط", + "fill": "پر کردن", + "fill color": "پر کردن رنگ", + "fill opacity": "تاری/کِدِری را پر کنید", + "hidden": "پنهان", "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", - "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…", - "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}}}", + "inherit": "به ارث می برند", + "name": "نام", + "never": "هرگز", + "new window": "پنجره جدید", + "no": "نه", + "on hover": "روی شناور", + "opacity": "تاری/کِدِری", + "parent window": "پنجره والدین", + "stroke": "سکته", + "weight": "وزن/سنگینی", + "yes": "بله", + "{delay} seconds": "{تاخیر} ثانیه", + "# 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\".", + "About": "درباره", + "Action not allowed :(": "اقدام مجاز نیست :(", + "Activate slideshow mode": "حالت نمایش اسلاید را فعال کنید", + "Add a layer": "یک لایه اضافه کنید", + "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": "نقشه را به حساب من وصل کنید", + "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": "برای ادامه ترسیم کلیک کنید", + "Click to edit": "برای ویرایش کلیک کنید", + "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", + "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", + "Clone": "شبیه سازی / کلون", + "Clone of {name}": "شبیه سازی {name}", + "Clone this feature": "این ویژگی را شبیه سازی کنید", + "Clone this map": "شبیه سازی این نقشه", + "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", + "Continue line": "ادامه خط", + "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", + "Coordinates": "مختصات", + "Credits": "اعتبار", + "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", + "Custom background": "پس زمینه سفارشی", + "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": "حذف", + "Delete all layers": "حذف همه لایه ها", + "Delete layer": "حذف لایه", + "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": "نمایش روی بارگذاری", + "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": "ویرایش ویژگی های نقشه", + "Edit map settings": "ویرایش تنظیمات نقشه", + "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}": "خطا هنگام واکشی {آدرس اینترنتی}", + "Exit Fullscreen": "خروج از تمام صفحه", + "Extract shape to separate feature": "استخراج شکل به ویژگی جدا", + "Fetch data each time map view changes.": "هر بار که نمای نقشه تغییر می کند، داده ها را واکشی کنید.", + "Filter keys": "کلیدهای فیلتر", + "Filter…": "فیلتر…", + "Format": "قالب", + "From zoom": "از زوم", + "Full map data": "داده های نقشه کامل", + "Go to «{feature}»": "به «{ویژگی}» بروید", + "Heatmap intensity property": "ویژگی شدت حرارت", + "Heatmap radius": "شعاع نقشه حرارتی", + "Help": "راهنما", + "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 با ارتفاع سفارشی (بر حسب 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}}": "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", - "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", - "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", + "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.": "همه داده های umap ، از جمله لایه ها و تنظیمات را وارد می کند.", + "Include full screen link?": "پیوند تمام صفحه را شامل می شود؟", + "Interaction options": "گزینه های تعامل", + "Invalid umap data": "داده های umap نامعتبر است", + "Invalid umap data in {filename}": "داده های umap نامعتبر در {نام فایل}", + "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": "اعتبارات طولانی", + "Longitude": "عرض جغرافیایی", + "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's editors": "ویرایشگران نقشه", + "Map's owner": "مالک نقشه", + "Merge lines": "ادغام خطوط", + "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.": "فقط ویژگی های قابل مشاهده بارگیری می شوند.", + "Open download panel": "باز کردن پنل بارگیری", + "Open link in…": "باز کردن پیوند در…", + "Open this map extent in a map editor to provide more accurate data to 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.", + "Problem in the response": "مشکل در پاسخگویی", + "Problem in the response format": "مشکل در قالب پاسخگویی", + "Properties imported:": "خواص وارد شده:", + "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": "این نسخه را بازیابی کنید", + "Save": "ذخیره", + "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}": "پیوند ویرایش مخفی این است:
{لینک}", + "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…": "آن را روی غلط/false تنظیم کنید تا این لایه از نمایش اسلاید، مرورگر داده، ناوبری بازشو پنهان شود…", + "Shape properties": "ویژگی های شکل", + "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": "از اینجا یک حفره شروع کنید", + "Start editing": "ویرایش را شروع کنید", + "Start slideshow": "شروع نمایش اسلاید", + "Stop editing": "ویرایش را متوقف کنید", + "Stop slideshow": "نمایش اسلاید را متوقف کنید", + "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.": "نماد می تواند یک ویژگی یونیکد یا یک آدرس اینترنتی باشد. می توانید از ویژگی های ویژگی به عنوان متغیر استفاده کنید: برای مثال: با \"http://myserver.org/images/{name}.png\" ، متغیر {name} با مقدار \"name\" هر نشانگر جایگزین می شود.", + "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 setted.": "بزرگنمایی و مرکز تنظیم شده است.", + "To use if remote server doesn't allow cross domain (slower)": "برای استفاده در صورت عدم دسترسی سرور از راه دور به دامنه (کندتر)", + "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}": "تشخیص قالب فایل {نام فایل} امکان پذیر نیست", + "Untitled layer": "لایه بدون عنوان", + "Untitled map": "نقشه بدون عنوان", + "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.": "از متغیرهایی با ویژگی های ویژگی بین براکت ها استفاده کنید ، به عنوان مثال. {name}، آنها به طور پویا با مقادیر مربوطه جایگزین می شوند.", + "User content credits": "اعتبار محتوای کاربر", + "User interface options": "گزینه های رابط کاربر", + "Versions": "نسخه ها", + "View Fullscreen": "مشاهده تمام صفحه", + "Where do we go from here?": "از اینجا به کجا می رویم؟", + "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.": "وای! به نظر می رسد شخص دیگری داده ها را ویرایش کرده است. در هر صورت می توانید ذخیره کنید، اما با این کار تغییرات ایجاد شده توسط دیگران پاک می شود.", + "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": "روی این مکان بزرگنمایی کنید", + "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}": "{شمردن} خطاها هنگام وارد کردن: {پیام}", + "Measure distances": "فاصله ها را اندازه گیری کنید", "NM": "NM", - "kilometers": "kilometers", - "km": "km", - "mi": "mi", - "miles": "miles", - "nautical miles": "nautical miles", - "{area} acres": "{area} acres", + "kilometers": "کیلومتر", + "km": "کیلومتر", + "mi": "مایل", + "miles": "مایل ها", + "nautical miles": "مایل دریایی", + "{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." + "{area} m²": "{منطقه} m²", + "{area} mi²": "{منطقه} mi²", + "{area} yd²": "{منطقه} yd²", + "{distance} NM": "{فاصله} NM", + "{distance} km": "{فاصله} km", + "{distance} m": "{فاصله} m", + "{distance} miles": "{فاصله} miles", + "{distance} yd": "{فاصله} yd", + "1 day": "1 روز", + "1 hour": "1 ساعت", + "5 min": "5 دقیقه", + "Cache proxied request": "درخواست پراکسی حافظه پنهان", + "No cache": "بدون حافظه پنهان", + "Popup": "پنجره بازشو", + "Popup (large)": "پنجره بازشو (بزرگ)", + "Popup content style": "سبک محتوای بازشو", + "Popup shape": "شکل پنجره بازشو", + "Skipping unknown geometry.type: {type}": "رد شدن از geometry.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/fr.json b/umap/static/umap/locale/fr.json index 176e8027..9259f226 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -220,7 +220,7 @@ "Map has been attached to your account": "La carte est maintenant liée à votre compte", "Map has been saved!": "La carte a été sauvegardée !", "Map user content has been published under licence": "Les contenus sur la carte ont été publiés avec la licence", - "Map's editors": "Éditeurs", + "Map's editors": "Éditeurs de la carte", "Map's owner": "Propriétaire de la carte", "Merge lines": "Fusionner les lignes", "More controls": "Plus d'outils", @@ -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 set.": "Le zoom et le centre ont été enregistrés.", + "The zoom and center have been setted.": "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)", @@ -371,4 +371,4 @@ "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" -} +} \ No newline at end of file diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 813e47d3..46893ed1 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -142,12 +142,12 @@ "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": "Cancella", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", + "Delete all layers": "Elimina tutti i livelli", + "Delete layer": "Elimina livello", "Delete this feature": "Cancella questa geometria", "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", "Delete this shape": "Cancella questa geometria", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", "Directions from here": "Indicazioni stradali da qui", "Disable editing": "Disabilita la modifica", "Display measure": "Mostra misura", @@ -210,7 +210,7 @@ "Layer properties": "Proprietà del layer", "Licence": "Licenza", "Limit bounds": "Limiti di confine", - "Link to…": "Link to…", + "Link to…": "Link a…", "Link with text: [[http://example.com|text of the link]]": "Link con testo: [[http://example.com|testo del link]]", "Long credits": "Ringraziamenti estesi", "Longitude": "Longitudine", @@ -224,9 +224,9 @@ "Map's owner": "Proprietario della mappa", "Merge lines": "Unisci linee", "More controls": "Maggiori controlli", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Deve avere un valore CSS valido (es.: DarkBlue o #123456)", "No licence has been set": "Non è ancora stata impostata una licenza", - "No results": "No results", + "No results": "Nessun risultato", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", "Open download panel": "Apri il panel scaricato", "Open link in…": "Apri link in…", @@ -249,7 +249,7 @@ "Remote data": "Dati remoti", "Remove shape from the multi": "Rimuovi geometria dalle altre", "Rename this property on all the features": "Rinomina questa proprietà in tutti gli oggetti", - "Replace layer content": "Replace layer content", + "Replace layer content": "Sostituisci il contenuto del livello", "Restore this version": "Ripristina questa versione", "Save": "Salva", "Save anyway": "Salva comunque", @@ -257,7 +257,7 @@ "Save this center and zoom": "Salva il centro e lo zoom", "Save this location as new feature": "Save this location as new feature", "Search a place name": "Cerca il nome di un posto", - "Search location": "Search location", + "Search location": "Cerca luogo", "Secret edit link is:
{link}": "Il link segreto per editare è: {link}", "See all": "Vedi tutto", "See data layers": "Vedi i livelli dati", @@ -292,7 +292,7 @@ "Transform to lines": "Trasforma in linee", "Transform to polygon": "Trasforma in poligono", "Type of layer": "Tipo di layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", + "Unable to detect format of file {filename}": "Impossibile individuare il formato del file {filename}", "Untitled layer": "Layer senza nome", "Untitled map": "Mappa senza nome", "Update permissions": "Aggiorna autorizzazioni", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index d514cb0d..8e0b23ca 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -87,7 +87,7 @@ "Action not allowed :(": "Handeling niet toegestaan :(", "Activate slideshow mode": "Activeer slidshow modus", "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Voeg een lijn to aan de huidige multilijn", + "Add a line to the current multi": "Voeg een lijn toe 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", @@ -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 set.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", + "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)": "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/sv.json b/umap/static/umap/locale/sv.json index 2010d7a1..0a6f26ed 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -279,7 +279,7 @@ "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.", + "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 \"https://minserver.org/bilder/{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": "Textfärg för klusteretiketten", "Text formatting": "Textformatering", @@ -347,7 +347,7 @@ "{area} ha": "{area} ha", "{area} m²": "{area} m²", "{area} mi²": "{area} kvadrat-mile", - "{area} yd²": "{area} kvadratyard", + "{area} yd²": "{area} kvadrat-yard", "{distance} NM": "{distance} M", "{distance} km": "{distance} km", "{distance} m": "{distance} m", @@ -365,7 +365,7 @@ "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 ;)", + "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", From 96a194e1f4f5558289a4a88fc77b797eb96fdf45 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 22 Feb 2023 15:18:56 +0100 Subject: [PATCH 009/143] i18n --- umap/locale/fa_IR/LC_MESSAGES/django.po | 378 ++++++++++++++++++++++++ umap/locale/ms/LC_MESSAGES/django.po | 378 ++++++++++++++++++++++++ 2 files changed, 756 insertions(+) create mode 100644 umap/locale/fa_IR/LC_MESSAGES/django.po create mode 100644 umap/locale/ms/LC_MESSAGES/django.po diff --git a/umap/locale/fa_IR/LC_MESSAGES/django.po b/umap/locale/fa_IR/LC_MESSAGES/django.po new file mode 100644 index 00000000..dcf830ee --- /dev/null +++ b/umap/locale/fa_IR/LC_MESSAGES/django.po @@ -0,0 +1,378 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +# Goudarz Jafari , 2020 +# *Sociologist Abedi*, 2021 +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: 2013-11-22 14:00+0000\n" +"Last-Translator: *Sociologist Abedi*, 2021\n" +"Language-Team: Persian (Iran) (http://www.transifex.com/openstreetmap/umap/language/fa_IR/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: fa_IR\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" + +#: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 +#, python-format +msgid "" +"This is a demo instance, used for tests and pre-rolling releases. If you " +"need a stable instance, please use %(stable_url)s. You can also host your own " +"instance, it's open source!" +msgstr "این یک نمونه آزمایشی است که برای آزمایشات و نسخه های پیش از انتشار استفاده می شود. اگر به نمونه پایدار نیاز دارید، لطفاً %(stable_url)s استفاده کنید. همچنین می توانید نمونه شخصی خود را میزبانی کنید، منبع باز است!" + +#: tmp/framacarte/templates/umap/home.html:83 +#: tmp/framacarte/templates/umap/navigation.html:14 +#: umap/templates/umap/about_summary.html:33 +#: umap/templates/umap/navigation.html:26 +msgid "Create a map" +msgstr "ایجاد نقشه" + +#: tmp/framacarte/templates/umap/navigation.html:7 +#: umap/templates/umap/navigation.html:10 +msgid "My maps" +msgstr "نقشه‌های من" + +#: tmp/framacarte/templates/umap/navigation.html:9 +#: umap/templates/umap/navigation.html:12 +msgid "Log in" +msgstr "ورود" + +#: tmp/framacarte/templates/umap/navigation.html:9 +#: umap/templates/umap/navigation.html:12 +msgid "Sign in" +msgstr "ثبت نام" + +#: tmp/framacarte/templates/umap/navigation.html:12 +#: umap/templates/umap/navigation.html:20 +msgid "Log out" +msgstr "خروج" + +#: tmp/framacarte/templates/umap/search_bar.html:6 +#: umap/templates/umap/search_bar.html:6 +msgid "Search maps" +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 "جستجو" + +#: umap/forms.py:40 +#, python-format +msgid "Secret edit link is %s" +msgstr "لینک ویرایش مخفی %s است" + +#: umap/forms.py:44 umap/models.py:115 +msgid "Everyone can edit" +msgstr "همه می‌توانند ویرایش کنند" + +#: umap/forms.py:45 +msgid "Only editable with secret edit link" +msgstr "فقط با لینک ویرایش مخفی قابل ویرایش است" + +#: umap/middleware.py:14 +msgid "Site is readonly for maintenance" +msgstr "سایت در حال حاضر برای نگهداری فقط خواندنی است" + +#: umap/models.py:17 +msgid "name" +msgstr "نام" + +#: umap/models.py:48 +msgid "details" +msgstr "جزئیات" + +#: umap/models.py:49 +msgid "Link to a page where the licence is detailed." +msgstr "پیوندی به صفحه ای که مجوز در آن دقیق است." + +#: umap/models.py:63 +msgid "URL template using OSM tile format" +msgstr "قالب آدرس اینترنتی با استفاده از قالب کاشی OSM" + +#: umap/models.py:71 +msgid "Order of the tilelayers in the edit box" +msgstr "ترتیب لایه های کاشی در جعبه ویرایش" + +#: umap/models.py:116 +msgid "Only editors can edit" +msgstr "فقط ویراستاران می‌توانند ویرایش کنند" + +#: umap/models.py:117 +msgid "Only owner can edit" +msgstr "فقط مالک می‌تواند ویرایش کند" + +#: umap/models.py:120 +msgid "everyone (public)" +msgstr "همه (عمومی)" + +#: umap/models.py:121 +msgid "anyone with link" +msgstr "هر کسی با لینک" + +#: umap/models.py:122 +msgid "editors only" +msgstr "فقط ویراستاران" + +#: umap/models.py:123 +msgid "blocked" +msgstr "مسدود شد" + +#: umap/models.py:126 umap/models.py:256 +msgid "description" +msgstr "توضیحات" + +#: umap/models.py:127 +msgid "center" +msgstr "مرکز" + +#: umap/models.py:128 +msgid "zoom" +msgstr "بزرگ‌نمایی" + +#: umap/models.py:129 +msgid "locate" +msgstr "مکان یابی" + +#: umap/models.py:129 +msgid "Locate user on load?" +msgstr "کاربر را در حال بارگیری مکان یابی کنید؟" + +#: umap/models.py:132 +msgid "Choose the map licence." +msgstr "مجوز نقشه را انتخاب کنید." + +#: umap/models.py:133 +msgid "licence" +msgstr "مجوز" + +#: umap/models.py:138 +msgid "owner" +msgstr "مالک" + +#: umap/models.py:139 +msgid "editors" +msgstr "ویراستاران" + +#: umap/models.py:140 +msgid "edit status" +msgstr "ویرایش وضعیت" + +#: umap/models.py:141 +msgid "share status" +msgstr "وضعیت اشتراک گذاری" + +#: umap/models.py:142 +msgid "settings" +msgstr "تنظیمات" + +#: umap/models.py:210 +msgid "Clone of" +msgstr "کلون از" + +#: umap/models.py:261 +msgid "display on load" +msgstr "نمایش روی بارگذاری" + +#: umap/models.py:262 +msgid "Display this layer on load." +msgstr "این لایه را روی بارگذاری نمایش دهید." + +#: umap/templates/404.html:7 +msgid "Take me to the home page" +msgstr "مرا به صفحه اصلی ببرید" + +#: umap/templates/auth/user_detail.html:7 +#, python-format +msgid "Browse %(current_user)s's maps" +msgstr "نقشه‌های %(current_user)s را مرور کنید" + +#: umap/templates/auth/user_detail.html:15 +#, python-format +msgid "%(current_user)s has no maps." +msgstr "%(current_user)s هیچ نقشه‌ای ندارد" + +#: umap/templates/registration/login.html:4 +msgid "Please log in with your account" +msgstr "لطفا با حساب کاربری خود وارد شوید" + +#: umap/templates/registration/login.html:18 +msgid "Username" +msgstr "نام کاربری" + +#: umap/templates/registration/login.html:20 +msgid "Password" +msgstr "رمز عبور" + +#: umap/templates/registration/login.html:21 +msgid "Login" +msgstr "ورود" + +#: umap/templates/registration/login.html:27 +msgid "Please choose a provider" +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 "uMap به شما این امکان را می‌دهد تا در یک دقیقه با لایه‌های اوپن‌استریت‌مپ نقشه ایجاد کنید و آن‌ها را در سایت خود قرار دهید." + +#: umap/templates/umap/about_summary.html:11 +msgid "Choose the layers of your map" +msgstr "لایه‌های نقشه خود را انتخاب کنید" + +#: umap/templates/umap/about_summary.html:12 +msgid "Add POIs: markers, lines, polygons..." +msgstr "POI را اضافه کنید: نشانگرها، خطوط، چند ضلعی‌ها..." + +#: umap/templates/umap/about_summary.html:13 +msgid "Manage POIs colours and icons" +msgstr "رنگ‌ها و آیکون‌های POI را مدیریت کنید" + +#: umap/templates/umap/about_summary.html:14 +msgid "Manage map options: display a minimap, locate user on load…" +msgstr "مدیریت گزینه های نقشه: نمایش حداقل نقشه، مکان یابی کاربر در حال بارگذاری…" + +#: umap/templates/umap/about_summary.html:15 +msgid "Batch import geostructured data (geojson, gpx, kml, osm...)" +msgstr "واردات داده های زمین ساختار (geojson ، gpx ، kml ، osm ...)" + +#: umap/templates/umap/about_summary.html:16 +msgid "Choose the license for your data" +msgstr "مجوز داده های خود را انتخاب کنید" + +#: umap/templates/umap/about_summary.html:17 +msgid "Embed and share your map" +msgstr "نقشه خود را جاسازی کرده و به اشتراک بگذارید" + +#: umap/templates/umap/about_summary.html:23 +#, python-format +msgid "And it's open source!" +msgstr "و متن باز است!" + +#: umap/templates/umap/about_summary.html:35 +msgid "Play with the demo" +msgstr "با نسخه ی نمایشی کار کنید" + +#: umap/templates/umap/home.html:17 +msgid "Map of the uMaps" +msgstr "نقشه uMaps" + +#: umap/templates/umap/home.html:24 +msgid "Get inspired, browse maps" +msgstr "الهام بگیرید، نقشه‌ها را مرور کنید" + +#: umap/templates/umap/login_popup_end.html:2 +msgid "You are logged in. Continuing..." +msgstr "شما وارد سیستم شده اید. ادامه..." + +#: umap/templates/umap/map_list.html:7 umap/views.py:214 +msgid "by" +msgstr "توسط" + +#: umap/templates/umap/map_list.html:11 +msgid "More" +msgstr "بیشتر" + +#: umap/templates/umap/navigation.html:14 +msgid "About" +msgstr "درباره" + +#: umap/templates/umap/navigation.html:15 +msgid "Feedback" +msgstr "بازخورد" + +#: umap/templates/umap/navigation.html:18 +msgid "Change password" +msgstr "رمز عبور را تغییر دهید" + +#: umap/templates/umap/password_change.html:6 +msgid "Password change" +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 "لطفاً برای حفظ امنیت گذرواژه قدیمی خود را وارد کنید و سپس رمز جدید خود را دوبار وارد کنید تا بتوانیم تأیید کنیم که شما آن را به درستی وارد کرده اید." + +#: umap/templates/umap/password_change.html:12 +msgid "Old password" +msgstr "رمز عبور قدیمی" + +#: umap/templates/umap/password_change.html:14 +msgid "New password" +msgstr "رمز عبور جدید" + +#: umap/templates/umap/password_change.html:16 +msgid "New password confirmation" +msgstr "تایید رمز عبور جدید" + +#: umap/templates/umap/password_change.html:18 +msgid "Change my password" +msgstr "تغییر رمز عبور خود" + +#: umap/templates/umap/password_change_done.html:6 +msgid "Password change successful" +msgstr "تغییر رمز عبور موفقیت آمیز بود" + +#: umap/templates/umap/password_change_done.html:7 +msgid "Your password was changed." +msgstr "رمز عبور شما تغییر کرد" + +#: umap/templates/umap/search.html:13 +msgid "Not map found." +msgstr "نقشه یافت نشد." + +#: umap/views.py:220 +msgid "View the map" +msgstr "مشاهده نقشه" + +#: 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 "نقشه شما ایجاد شده است! اگر می‌خواهید این نقشه را از یک رایانه دیگر ویرایش کنید، از این لینک استفاده کنید: %(anonymous_url)s" + +#: umap/views.py:529 +msgid "Congratulations, your map has been created!" +msgstr "تبریک می‌گویم، نقشه شما ایجاد شده است!" + +#: umap/views.py:561 +msgid "Map has been updated!" +msgstr "نقشه به روز شده است!" + +#: umap/views.py:587 +msgid "Map editors updated with success!" +msgstr "ویراستاران نقشه با موفقیت به روز شد!" + +#: umap/views.py:612 +msgid "Only its owner can delete the map." +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" + +#: umap/views.py:642 +msgid "Congratulations, your map has been cloned!" +msgstr "تبریک می گویم، نقشه شما شبیه سازی شده است!" + +#: umap/views.py:809 +msgid "Layer successfully deleted." +msgstr "لایه با موفقیت حذف شد." diff --git a/umap/locale/ms/LC_MESSAGES/django.po b/umap/locale/ms/LC_MESSAGES/django.po new file mode 100644 index 00000000..86131269 --- /dev/null +++ b/umap/locale/ms/LC_MESSAGES/django.po @@ -0,0 +1,378 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +# Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021 +# Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021 +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: 2013-11-22 14:00+0000\n" +"Last-Translator: Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021\n" +"Language-Team: Malay (http://www.transifex.com/openstreetmap/umap/language/ms/)\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Language: ms\n" +"Plural-Forms: nplurals=1; plural=0;\n" + +#: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 +#, python-format +msgid "" +"This is a demo instance, used for tests and pre-rolling releases. If you " +"need a stable instance, please use %(stable_url)s. You can also host your own " +"instance, it's open source!" +msgstr "Ini tika demo, digunakan untuk ujian dan pra-terbitan berterusan. Jika anda perlukan tika yang stabil, sila gunakan %(stable_url)s. Anda juga boleh hos tika anda sendiri, ia bersumber terbuka!" + +#: tmp/framacarte/templates/umap/home.html:83 +#: tmp/framacarte/templates/umap/navigation.html:14 +#: umap/templates/umap/about_summary.html:33 +#: umap/templates/umap/navigation.html:26 +msgid "Create a map" +msgstr "Cipta peta" + +#: tmp/framacarte/templates/umap/navigation.html:7 +#: umap/templates/umap/navigation.html:10 +msgid "My maps" +msgstr "Peta saya" + +#: tmp/framacarte/templates/umap/navigation.html:9 +#: umap/templates/umap/navigation.html:12 +msgid "Log in" +msgstr "Log masuk" + +#: tmp/framacarte/templates/umap/navigation.html:9 +#: umap/templates/umap/navigation.html:12 +msgid "Sign in" +msgstr "Daftar masuk" + +#: tmp/framacarte/templates/umap/navigation.html:12 +#: umap/templates/umap/navigation.html:20 +msgid "Log out" +msgstr "Log keluar" + +#: tmp/framacarte/templates/umap/search_bar.html:6 +#: umap/templates/umap/search_bar.html:6 +msgid "Search maps" +msgstr "Cari peta" + +#: 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 "Gelintar" + +#: umap/forms.py:40 +#, python-format +msgid "Secret edit link is %s" +msgstr "Pautan suntingan rahsia ialah %s" + +#: umap/forms.py:44 umap/models.py:115 +msgid "Everyone can edit" +msgstr "Sesiapa pun boleh sunting" + +#: umap/forms.py:45 +msgid "Only editable with secret edit link" +msgstr "Hanya boleh disunting dengan pautan rahsia" + +#: umap/middleware.py:14 +msgid "Site is readonly for maintenance" +msgstr "Laman dalam mod baca sahaja untuk penyenggaraan" + +#: umap/models.py:17 +msgid "name" +msgstr "nama" + +#: umap/models.py:48 +msgid "details" +msgstr "perincian" + +#: umap/models.py:49 +msgid "Link to a page where the licence is detailed." +msgstr "Pautan ke halaman yang menyatakan lesennya." + +#: umap/models.py:63 +msgid "URL template using OSM tile format" +msgstr "Templat URL menggunakan format fail OSM" + +#: umap/models.py:71 +msgid "Order of the tilelayers in the edit box" +msgstr "Kedudukan lapisan jubin dalam kotak suntingan" + +#: umap/models.py:116 +msgid "Only editors can edit" +msgstr "Hanya penyunting boleh sunting" + +#: umap/models.py:117 +msgid "Only owner can edit" +msgstr "Hanya pemilik boleh sunting" + +#: umap/models.py:120 +msgid "everyone (public)" +msgstr "semua orang (umum)" + +#: umap/models.py:121 +msgid "anyone with link" +msgstr "sesiapa yang ada pautan" + +#: umap/models.py:122 +msgid "editors only" +msgstr "penyunting sahaja" + +#: umap/models.py:123 +msgid "blocked" +msgstr "disekat" + +#: umap/models.py:126 umap/models.py:256 +msgid "description" +msgstr "keterangan" + +#: umap/models.py:127 +msgid "center" +msgstr "pertengahkan" + +#: umap/models.py:128 +msgid "zoom" +msgstr "zum" + +#: umap/models.py:129 +msgid "locate" +msgstr "mengesan" + +#: umap/models.py:129 +msgid "Locate user on load?" +msgstr "Kesan kedudukan pengguna semasa dimuatkan?" + +#: umap/models.py:132 +msgid "Choose the map licence." +msgstr "Pilih lesen peta." + +#: umap/models.py:133 +msgid "licence" +msgstr "lesen" + +#: umap/models.py:138 +msgid "owner" +msgstr "pemilik" + +#: umap/models.py:139 +msgid "editors" +msgstr "penyunting" + +#: umap/models.py:140 +msgid "edit status" +msgstr "status suntingan" + +#: umap/models.py:141 +msgid "share status" +msgstr "status perkongsian" + +#: umap/models.py:142 +msgid "settings" +msgstr "tetapan" + +#: umap/models.py:210 +msgid "Clone of" +msgstr "Klon bagi" + +#: umap/models.py:261 +msgid "display on load" +msgstr "paparkan semasa dimuatkan" + +#: umap/models.py:262 +msgid "Display this layer on load." +msgstr "Paparkan lapisan ini ketika dimuatkan." + +#: umap/templates/404.html:7 +msgid "Take me to the home page" +msgstr "Bawa saya ke halaman utama" + +#: umap/templates/auth/user_detail.html:7 +#, python-format +msgid "Browse %(current_user)s's maps" +msgstr "Melayari peta %(current_user)s" + +#: umap/templates/auth/user_detail.html:15 +#, python-format +msgid "%(current_user)s has no maps." +msgstr "%(current_user)s tidak mempunyai peta." + +#: umap/templates/registration/login.html:4 +msgid "Please log in with your account" +msgstr "Sila log masuk dengan akaun anda" + +#: umap/templates/registration/login.html:18 +msgid "Username" +msgstr "Nama pengguna" + +#: umap/templates/registration/login.html:20 +msgid "Password" +msgstr "Kata laluan" + +#: umap/templates/registration/login.html:21 +msgid "Login" +msgstr "Log masuk" + +#: umap/templates/registration/login.html:27 +msgid "Please choose a provider" +msgstr "Sila pilih penyedia" + +#: 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 "uMap membolehkan anda mencipta peta dengan lapisan OpenStreetMap dalam masa singkat dan benamkan di laman anda." + +#: umap/templates/umap/about_summary.html:11 +msgid "Choose the layers of your map" +msgstr "Pilih lapisan untuk peta anda" + +#: umap/templates/umap/about_summary.html:12 +msgid "Add POIs: markers, lines, polygons..." +msgstr "Tambah POI: penanda, garisan, poligon..." + +#: umap/templates/umap/about_summary.html:13 +msgid "Manage POIs colours and icons" +msgstr "Urus warna dan ikon POI" + +#: umap/templates/umap/about_summary.html:14 +msgid "Manage map options: display a minimap, locate user on load…" +msgstr "Urus pilihan peta: paparkan minipeta, kesan kedudukan pengguna ketika dimuatkan..." + +#: umap/templates/umap/about_summary.html:15 +msgid "Batch import geostructured data (geojson, gpx, kml, osm...)" +msgstr "Import kelompok data berstruktur geografi (geojson, gpx, kml, osm...)" + +#: umap/templates/umap/about_summary.html:16 +msgid "Choose the license for your data" +msgstr "Pilih lesen untuk data anda" + +#: umap/templates/umap/about_summary.html:17 +msgid "Embed and share your map" +msgstr "Benam dan kongsi peta anda" + +#: umap/templates/umap/about_summary.html:23 +#, python-format +msgid "And it's open source!" +msgstr "Dan ia bersumber terbuka!" + +#: umap/templates/umap/about_summary.html:35 +msgid "Play with the demo" +msgstr "Main dengan demo" + +#: umap/templates/umap/home.html:17 +msgid "Map of the uMaps" +msgstr "Peta bagi uMaps" + +#: umap/templates/umap/home.html:24 +msgid "Get inspired, browse maps" +msgstr "Dapatkan inspirasi, layari peta-peta" + +#: umap/templates/umap/login_popup_end.html:2 +msgid "You are logged in. Continuing..." +msgstr "Anda telah log masuk. Menyambung..." + +#: umap/templates/umap/map_list.html:7 umap/views.py:214 +msgid "by" +msgstr "oleh" + +#: umap/templates/umap/map_list.html:11 +msgid "More" +msgstr "Lebih lagi" + +#: umap/templates/umap/navigation.html:14 +msgid "About" +msgstr "Perihalan" + +#: umap/templates/umap/navigation.html:15 +msgid "Feedback" +msgstr "Maklum balas" + +#: umap/templates/umap/navigation.html:18 +msgid "Change password" +msgstr "Tukar kata laluan" + +#: umap/templates/umap/password_change.html:6 +msgid "Password change" +msgstr "Penukaran kata laluan" + +#: 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 "Sila masukkan kata laluan anda yang lama, untuk tujuan keselamatan, kemudian masukkan kata laluan anda yang baharu dua kali supaya kami sahkan anda menaipnya dengan betul." + +#: umap/templates/umap/password_change.html:12 +msgid "Old password" +msgstr "Kata laluan lama" + +#: umap/templates/umap/password_change.html:14 +msgid "New password" +msgstr "Kata laluan baharu" + +#: umap/templates/umap/password_change.html:16 +msgid "New password confirmation" +msgstr "Pengesahan kata laluan baharu" + +#: umap/templates/umap/password_change.html:18 +msgid "Change my password" +msgstr "Tukar kata laluan saya" + +#: umap/templates/umap/password_change_done.html:6 +msgid "Password change successful" +msgstr "Penukaran kata laluan berjaya" + +#: umap/templates/umap/password_change_done.html:7 +msgid "Your password was changed." +msgstr "Kata laluan anda telah ditukar." + +#: umap/templates/umap/search.html:13 +msgid "Not map found." +msgstr "Tiada peta dijumpai." + +#: umap/views.py:220 +msgid "View the map" +msgstr "Lihat peta" + +#: 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 "Peta anda telah dicipta! Jika anda ingin menyunting peta ini dari komputer lain, sila gunakan pautan ini: %(anonymous_url)s" + +#: umap/views.py:529 +msgid "Congratulations, your map has been created!" +msgstr "Tahniah, peta anda telah berjaya dicipta!" + +#: umap/views.py:561 +msgid "Map has been updated!" +msgstr "Peta telah dikemas kini!" + +#: umap/views.py:587 +msgid "Map editors updated with success!" +msgstr "Penyunting peta telah dikemas kini dengan jayanya!" + +#: umap/views.py:612 +msgid "Only its owner can delete the map." +msgstr "Hanya pemiliknya sahaja mampu memadamkan peta." + +#: 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 "Peta anda telah diklon! Jika anda ingin menyunting peta ini dari komputer lain, sila gunakan pautan ini: %(anonymous_url)s" + +#: umap/views.py:642 +msgid "Congratulations, your map has been cloned!" +msgstr "Tahniah, peta anda telah berjaya diklon!" + +#: umap/views.py:809 +msgid "Layer successfully deleted." +msgstr "Lapisan telah berjaya dipadamkan." From 2fc30b117b664b7e7092fb658f6762101d5e7410 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 22 Feb 2023 15:19:38 +0100 Subject: [PATCH 010/143] Prepare for Django 4.x --- setup.cfg | 6 +++--- umap/admin.py | 2 +- umap/apps.py | 6 ++++++ umap/fields.py | 4 ++-- umap/settings/base.py | 6 ++++-- umap/urls.py | 2 +- umap/views.py | 4 ++-- 7 files changed, 19 insertions(+), 11 deletions(-) create mode 100644 umap/apps.py diff --git a/setup.cfg b/setup.cfg index 2bd4a8ae..36786c10 100644 --- a/setup.cfg +++ b/setup.cfg @@ -26,9 +26,9 @@ classifiers = packages = find: include_package_data = True install_requires = - Django>=3.2.5,<4 - django-agnocomplete==1.0.0 - django-compressor==2.4.1 + Django==4.1.7 + django-agnocomplete==2.2.0 + django-compressor==4.3.1 Pillow==8.4.0 psycopg2==2.9.3 requests==2.26.0 diff --git a/umap/admin.py b/umap/admin.py index b583dc2c..f686786d 100644 --- a/umap/admin.py +++ b/umap/admin.py @@ -7,7 +7,7 @@ class TileLayerAdmin(admin.ModelAdmin): list_editable = ('rank', ) -class MapAdmin(admin.OSMGeoAdmin): +class MapAdmin(admin.GISModelAdmin): search_fields = ("name",) autocomplete_fields = ("owner", "editors") list_filter = ("share_status",) diff --git a/umap/apps.py b/umap/apps.py new file mode 100644 index 00000000..d7047f93 --- /dev/null +++ b/umap/apps.py @@ -0,0 +1,6 @@ +from django.apps import AppConfig + + +class UmapConfig(AppConfig): + name = "umap" + verbose_name = "uMap" diff --git a/umap/fields.py b/umap/fields.py index 00dbf1e5..4798b0b4 100644 --- a/umap/fields.py +++ b/umap/fields.py @@ -2,7 +2,7 @@ import json import six from django.db import models -from django.utils.encoding import smart_text +from django.utils.encoding import smart_str class DictField(models.TextField): @@ -30,4 +30,4 @@ class DictField(models.TextField): def value_to_string(self, obj): """Return value from object converted to string properly""" - return smart_text(self.get_prep_value(self.value_from_object(obj))) + return smart_str(self.get_prep_value(self.value_from_object(obj))) diff --git a/umap/settings/base.py b/umap/settings/base.py index 1126a6dd..a5d98cc7 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -42,7 +42,6 @@ LANG_INFO.update({ TIME_ZONE = 'UTC' USE_TZ = True USE_I18N = True -USE_L10N = True LANGUAGE_CODE = 'en' LANGUAGES = ( ('am-et', 'Amharic'), @@ -108,7 +107,10 @@ INSTALLED_APPS = ( 'umap', 'compressor', 'social_django', - 'agnocomplete', + # See https://github.com/peopledoc/django-agnocomplete/commit/26eda2dfa4a2f8a805ca2ea19a0c504b9d773a1c + # Django does not find the app config in the default place, so the app is not loaded + # so the "autodiscover" is not run. + 'agnocomplete.app.AgnocompleteConfig', ) DEFAULT_AUTO_FIELD = 'django.db.models.AutoField' diff --git a/umap/urls.py b/umap/urls.py index e0ff193b..b9895366 100644 --- a/umap/urls.py +++ b/umap/urls.py @@ -1,5 +1,5 @@ from django.conf import settings -from django.conf.urls import include, re_path +from django.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 diff --git a/umap/views.py b/umap/views.py index 56eb50ca..e2e39f7c 100644 --- a/umap/views.py +++ b/umap/views.py @@ -605,7 +605,7 @@ class MapDelete(DeleteView): model = Map pk_url_kwarg = "map_id" - def delete(self, *args, **kwargs): + def form_valid(self, form): self.object = self.get_object() if self.object.owner and self.request.user != self.object.owner: return HttpResponseForbidden( @@ -801,7 +801,7 @@ class DataLayerUpdate(FormLessEditMixin, GZipMixin, UpdateView): class DataLayerDelete(DeleteView): model = DataLayer - def delete(self, *args, **kwargs): + def form_valid(self, form): self.object = self.get_object() if self.object.map != self.kwargs['map_inst']: return HttpResponseForbidden() From eed12fdf875918d243a84557ff1fd305e71d37ac Mon Sep 17 00:00:00 2001 From: 3st3ban3 Date: Wed, 22 Feb 2023 17:36:22 +0100 Subject: [PATCH 011/143] Update wording to avoid confusion for data checkboxes --- umap/static/umap/js/umap.js | 6 +++--- umap/static/umap/locale/fr.js | 1 + umap/static/umap/locale/fr.json | 1 + 3 files changed, 5 insertions(+), 3 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 89bcb857..7365afac 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -969,7 +969,7 @@ L.U.Map.include({ var filter = L.DomUtil.create('li', ''); L.DomUtil.create('i', 'umap-icon-16 umap-add', filter); var labelFilter = L.DomUtil.create('span', '', filter); - labelFilter.textContent = labelFilter.title = L._('Filter data'); + labelFilter.textContent = labelFilter.title = L._('Select data'); L.DomEvent.on(filter, 'click', this.openFilter, this); actions.push(filter) } @@ -1471,7 +1471,7 @@ L.U.Map.include({ L.DomEvent.on(browser, 'click', L.DomEvent.stop) .on(browser, 'click', this.openBrowser, this); if (this.options.advancedFilterKey) { - var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Filter data')); + var filter = L.DomUtil.add('a', 'umap-open-filter-link', container, ' | ' + L._('Select data')); filter.href = '#'; L.DomEvent.on(filter, 'click', L.DomEvent.stop) .on(filter, 'click', this.openFilter, this); @@ -1663,7 +1663,7 @@ L.U.Map.include({ }); if (this.options.advancedFilterKey) { items.push({ - text: L._('Filter data'), + text: L._('Select data'), callback: this.openFilter }) } diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 08d54ad8..bce3005f 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -262,6 +262,7 @@ var locale = { "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", + "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 176e8027..e1b11741 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -262,6 +262,7 @@ "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", + "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", From cfcb83dbfbc9ea1a0bb74d763b219013dfc21656 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 23 Feb 2023 11:10:24 +0100 Subject: [PATCH 012/143] black on urls.py --- umap/urls.py | 180 ++++++++++++++++++++++++++++++++++----------------- 1 file changed, 119 insertions(+), 61 deletions(-) diff --git a/umap/urls.py b/umap/urls.py index b9895366..0d4d3157 100644 --- a/umap/urls.py +++ b/umap/urls.py @@ -5,89 +5,147 @@ from django.conf.urls.static import static from django.contrib import admin from django.contrib.auth import views as auth_views from django.contrib.staticfiles.urls import staticfiles_urlpatterns -from django.views.decorators.cache import (cache_control, cache_page, - never_cache) +from django.views.decorators.cache import cache_control, cache_page, never_cache from django.views.decorators.csrf import ensure_csrf_cookie from . import views -from .decorators import (jsonize_view, login_required_if_not_anonymous_allowed, - map_permissions_check) +from .decorators import ( + jsonize_view, + login_required_if_not_anonymous_allowed, + map_permissions_check, +) from .utils import decorated_patterns admin.autodiscover() urlpatterns = [ - 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'), - re_path(r'^ajax-proxy/$', cache_page(180)(views.ajax_proxy), - name='ajax-proxy'), - re_path(r'^change-password/', auth_views.PasswordChangeView.as_view(), - {'template_name': 'umap/password_change.html'}, - name='password_change'), - re_path(r'^change-password-done/', auth_views.PasswordChangeDoneView.as_view(), - {'template_name': 'umap/password_change_done.html'}, - name='password_change_done'), - re_path(r'^i18n/', include('django.conf.urls.i18n')), - re_path(r'^agnocomplete/', include('agnocomplete.urls')), + 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"), + re_path(r"^ajax-proxy/$", cache_page(180)(views.ajax_proxy), name="ajax-proxy"), + re_path( + r"^change-password/", + auth_views.PasswordChangeView.as_view(), + {"template_name": "umap/password_change.html"}, + name="password_change", + ), + re_path( + r"^change-password-done/", + auth_views.PasswordChangeDoneView.as_view(), + {"template_name": "umap/password_change_done.html"}, + name="password_change_done", + ), + re_path(r"^i18n/", include("django.conf.urls.i18n")), + re_path(r"^agnocomplete/", include("agnocomplete.urls")), ] i18n_urls = [ - 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'), - re_path(r'^logout/$', views.logout, name='logout'), - re_path(r'^map/(?P\d+)/geojson/$', views.MapViewGeoJSON.as_view(), - name='map_geojson'), - re_path(r'^map/anonymous-edit/(?P.+)$', - views.MapAnonymousEditUrl.as_view(), name='map_anonymous_edit_url'), - re_path(r'^pictogram/json/$', views.PictogramJSONList.as_view(), - name='pictogram_list_json'), + re_path( + r"^login/$", jsonize_view(auth_views.LoginView.as_view()), name="login" + ), + re_path( + r"^login/popup/end/$", views.LoginPopupEnd.as_view(), name="login_popup_end" + ), + re_path(r"^logout/$", views.logout, name="logout"), + re_path( + r"^map/(?P\d+)/geojson/$", + views.MapViewGeoJSON.as_view(), + name="map_geojson", + ), + re_path( + r"^map/anonymous-edit/(?P.+)$", + views.MapAnonymousEditUrl.as_view(), + name="map_anonymous_edit_url", + ), + re_path( + r"^pictogram/json/$", + views.PictogramJSONList.as_view(), + name="pictogram_list_json", + ), ] -i18n_urls += decorated_patterns(cache_control(must_revalidate=True), - 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( + cache_control(must_revalidate=True), + re_path( + r"^datalayer/(?P[\d]+)/$", + views.DataLayerView.as_view(), + name="datalayer_view", + ), + re_path( + r"^datalayer/(?P[\d]+)/versions/$", + views.DataLayerVersions.as_view(), + name="datalayer_versions", + ), + re_path( + r"^datalayer/(?P[\d]+)/(?P[_\w]+.geojson)$", + views.DataLayerVersion.as_view(), + name="datalayer_version", + ), ) -i18n_urls += decorated_patterns([ensure_csrf_cookie], - 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( + [ensure_csrf_cookie], + re_path( + r"^map/(?P[-_\w]+)_(?P\d+)$", views.MapView.as_view(), name="map" + ), + re_path(r"^map/new/$", views.MapNew.as_view(), name="map_new"), ) i18n_urls += decorated_patterns( [login_required_if_not_anonymous_allowed, never_cache], - re_path(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], - re_path(r'^map/(?P[\d]+)/update/settings/$', views.MapUpdate.as_view(), - name='map_update'), - re_path(r'^map/(?P[\d]+)/update/permissions/$', - views.UpdateMapPermissions.as_view(), name='map_update_permissions'), - re_path(r'^map/(?P[\d]+)/update/owner/$', - views.AttachAnonymousMap.as_view(), name='map_attach_owner'), - re_path(r'^map/(?P[\d]+)/update/delete/$', - views.MapDelete.as_view(), name='map_delete'), - re_path(r'^map/(?P[\d]+)/update/clone/$', - views.MapClone.as_view(), name='map_clone'), - re_path(r'^map/(?P[\d]+)/datalayer/create/$', - views.DataLayerCreate.as_view(), name='datalayer_create'), - re_path(r'^map/(?P[\d]+)/datalayer/update/(?P\d+)/$', - views.DataLayerUpdate.as_view(), name='datalayer_update'), - re_path(r'^map/(?P[\d]+)/datalayer/delete/(?P\d+)/$', - views.DataLayerDelete.as_view(), name='datalayer_delete'), + re_path( + r"^map/(?P[\d]+)/update/settings/$", + views.MapUpdate.as_view(), + name="map_update", + ), + re_path( + r"^map/(?P[\d]+)/update/permissions/$", + views.UpdateMapPermissions.as_view(), + name="map_update_permissions", + ), + re_path( + r"^map/(?P[\d]+)/update/owner/$", + views.AttachAnonymousMap.as_view(), + name="map_attach_owner", + ), + re_path( + r"^map/(?P[\d]+)/update/delete/$", + views.MapDelete.as_view(), + name="map_delete", + ), + re_path( + r"^map/(?P[\d]+)/update/clone/$", + views.MapClone.as_view(), + name="map_clone", + ), + re_path( + r"^map/(?P[\d]+)/datalayer/create/$", + views.DataLayerCreate.as_view(), + name="datalayer_create", + ), + re_path( + r"^map/(?P[\d]+)/datalayer/update/(?P\d+)/$", + views.DataLayerUpdate.as_view(), + name="datalayer_update", + ), + re_path( + r"^map/(?P[\d]+)/datalayer/delete/(?P\d+)/$", + views.DataLayerDelete.as_view(), + name="datalayer_delete", + ), ) urlpatterns += i18n_patterns( - re_path(r'^$', views.home, name="home"), - re_path(r'^showcase/$', cache_page(24 * 60 * 60)(views.showcase), - name='maps_showcase'), - 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)), + re_path(r"^$", views.home, name="home"), + re_path( + r"^showcase/$", cache_page(24 * 60 * 60)(views.showcase), name="maps_showcase" + ), + 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: - urlpatterns += static(settings.MEDIA_URL, - document_root=settings.MEDIA_ROOT) + urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT) urlpatterns += staticfiles_urlpatterns() From 0300a5f962eaf693b17475e3725829632d6d80f5 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 23 Feb 2023 11:10:44 +0100 Subject: [PATCH 013/143] ETag must be between double quotes per spec --- umap/views.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/umap/views.py b/umap/views.py index e2e39f7c..55f307fe 100644 --- a/umap/views.py +++ b/umap/views.py @@ -719,7 +719,7 @@ class GZipMixin(object): def etag(self): path = self.path() with open(path, mode='rb') as f: - return hashlib.md5(f.read()).hexdigest() + return '"%s"' % hashlib.md5(f.read()).hexdigest() class DataLayerView(GZipMixin, BaseDetailView): @@ -742,7 +742,7 @@ class DataLayerView(GZipMixin, BaseDetailView): content_type='application/json' ) response["Last-Modified"] = http_date(statobj.st_mtime) - response['ETag'] = '%s' % hashlib.md5(force_bytes(response.content)).hexdigest() # noqa + response['ETag'] = '"%s"' % hashlib.md5(force_bytes(response.content)).hexdigest() # noqa response['Content-Length'] = len(response.content) if path.endswith(self.EXT): response['Content-Encoding'] = 'gzip' From a8dee3fa072bbb04a94a51365e9d6fff58f01847 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 23 Feb 2023 11:17:19 +0100 Subject: [PATCH 014/143] Add Vary: Accept-Encoding header --- umap/tests/test_datalayer_views.py | 1 + umap/views.py | 1 + 2 files changed, 2 insertions(+) diff --git a/umap/tests/test_datalayer_views.py b/umap/tests/test_datalayer_views.py index d88bdd69..01fd5c64 100644 --- a/umap/tests/test_datalayer_views.py +++ b/umap/tests/test_datalayer_views.py @@ -28,6 +28,7 @@ def test_get(client, settings, datalayer): assert response['ETag'] is not None assert response['Last-Modified'] is not None assert response['Cache-Control'] is not None + assert response['Vary'] == 'Accept-Encoding' assert 'Content-Encoding' not in response j = json.loads(response.content.decode()) assert '_umap_options' in j diff --git a/umap/views.py b/umap/views.py index 55f307fe..8ab823d2 100644 --- a/umap/views.py +++ b/umap/views.py @@ -744,6 +744,7 @@ class DataLayerView(GZipMixin, BaseDetailView): response["Last-Modified"] = http_date(statobj.st_mtime) response['ETag'] = '"%s"' % hashlib.md5(force_bytes(response.content)).hexdigest() # noqa response['Content-Length'] = len(response.content) + response['Vary'] = 'Accept-Encoding' if path.endswith(self.EXT): response['Content-Encoding'] = 'gzip' return response From 2bd4008f97fe68415146198934fcd07e28715a70 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sat, 25 Feb 2023 21:50:39 +0100 Subject: [PATCH 015/143] Use Nginx ETag algo There is a situation where the ETag can be generated by Nginx, but then used by Django: when the user starts editing a layer, the js client will send the ETag received from Nginx to uMap as value to check is there is an editing conflict. --- umap/views.py | 14 ++++++++++---- 1 file changed, 10 insertions(+), 4 deletions(-) diff --git a/umap/views.py b/umap/views.py index 8ab823d2..a266bda5 100644 --- a/umap/views.py +++ b/umap/views.py @@ -718,8 +718,11 @@ class GZipMixin(object): def etag(self): path = self.path() - with open(path, mode='rb') as f: - return '"%s"' % hashlib.md5(f.read()).hexdigest() + # Align ETag with Nginx one, because when using X-Send-File, If-None-Match + # and If-Modified-Since are handled by Nginx. + # https://github.com/nginx/nginx/blob/4ace957c4e08bcbf9ef5e9f83b8e43458bead77f/src/http/ngx_http_core_module.c#L1675-L1709 + statobj = os.stat(path) + return 'W/"%x-%x"' % (int(statobj.st_mtime), statobj.st_size) class DataLayerView(GZipMixin, BaseDetailView): @@ -742,8 +745,8 @@ class DataLayerView(GZipMixin, BaseDetailView): content_type='application/json' ) response["Last-Modified"] = http_date(statobj.st_mtime) - response['ETag'] = '"%s"' % hashlib.md5(force_bytes(response.content)).hexdigest() # noqa - response['Content-Length'] = len(response.content) + response['ETag'] = self.etag() + response['Content-Length'] = statobj.st_size response['Vary'] = 'Accept-Encoding' if path.endswith(self.EXT): response['Content-Encoding'] = 'gzip' @@ -765,6 +768,7 @@ class DataLayerCreate(FormLessEditMixin, GZipMixin, CreateView): def form_valid(self, form): form.instance.map = self.kwargs['map_inst'] self.object = form.save() + # Simple response with only metadatas (including new id) response = simple_json_response(**self.object.metadata) response['ETag'] = self.etag() return response @@ -776,6 +780,8 @@ class DataLayerUpdate(FormLessEditMixin, GZipMixin, UpdateView): def form_valid(self, form): self.object = form.save() + # Simple response with only metadatas (client should not reload all data + # on save) response = simple_json_response(**self.object.metadata) response['ETag'] = self.etag() return response From 97e2df0a8d698d1a9a531447db360187062a4843 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sat, 25 Feb 2023 22:17:10 +0100 Subject: [PATCH 016/143] Prevent caching datalayer's data for owners/editors cf #1038 --- umap/static/umap/js/umap.layer.js | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.layer.js b/umap/static/umap/js/umap.layer.js index a92faf29..2aa8929e 100644 --- a/umap/static/umap/js/umap.layer.js +++ b/umap/static/umap/js/umap.layer.js @@ -401,8 +401,11 @@ L.U.DataLayer = L.Evented.extend({ }, _dataUrl: function() { - var template = this.map.options.urls.datalayer_view; - return L.Util.template(template, {'pk': this.umap_id, 'map_id': this.map.options.umap_id}); + var template = this.map.options.urls.datalayer_view, + url = L.Util.template(template, {'pk': this.umap_id, 'map_id': this.map.options.umap_id}); + // No browser cache for owners/editors. + if (this.map.options.allowEdit) url = url + '?' + Date.now(); + return url; }, isRemoteLayer: function () { From 3aa34d124e79bc6276769730acb57a925ee45a69 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 11:00:33 +0100 Subject: [PATCH 017/143] black on views.py --- umap/views.py | 327 ++++++++++++++++++++++++-------------------------- 1 file changed, 159 insertions(+), 168 deletions(-) diff --git a/umap/views.py b/umap/views.py index a266bda5..5e69088a 100644 --- a/umap/views.py +++ b/umap/views.py @@ -50,11 +50,13 @@ except ImportError: User = get_user_model() -PRIVATE_IP = re.compile(r'((^127\.)|(^10\.)' - r'|(^172\.1[6-9]\.)' - r'|(^172\.2[0-9]\.)' - r'|(^172\.3[0-1]\.)' - r'|(^192\.168\.))') +PRIVATE_IP = re.compile( + r"((^127\.)|(^10\.)" + r"|(^172\.1[6-9]\.)" + r"|(^172\.2[0-9]\.)" + r"|(^172\.3[0-1]\.)" + r"|(^192\.168\.))" +) ANONYMOUS_COOKIE_MAX_AGE = 60 * 60 * 24 * 30 # One month @@ -63,7 +65,7 @@ class PaginatorMixin(object): def paginate(self, qs, per_page=None): paginator = Paginator(qs, per_page or self.per_page) - page = self.request.GET.get('p') + page = self.request.GET.get("p") try: qs = paginator.page(page) except PageNotAnInteger: @@ -82,9 +84,11 @@ class Home(TemplateView, PaginatorMixin): def get_context_data(self, **kwargs): qs = Map.public - if (settings.UMAP_EXCLUDE_DEFAULT_MAPS and - 'spatialite' not in settings.DATABASES['default']['ENGINE']): - # Unsupported query type for sqlite. + if ( + settings.UMAP_EXCLUDE_DEFAULT_MAPS + and "spatialite" not in settings.DATABASES["default"]["ENGINE"] + ): + # Unsupported query type for sqlite. qs = qs.filter(center__distance_gt=(DEFAULT_CENTER, D(km=1))) demo_map = None if hasattr(settings, "UMAP_DEMO_PK"): @@ -102,14 +106,14 @@ class Home(TemplateView, PaginatorMixin): pass else: qs = qs.exclude(id=showcase_map.pk) - maps = qs.order_by('-modified_at')[:50] + maps = qs.order_by("-modified_at")[:50] maps = self.paginate(maps, settings.UMAP_MAPS_PER_PAGE) return { "maps": maps, "demo_map": demo_map, "showcase_map": showcase_map, - "DEMO_SITE": settings.UMAP_DEMO_SITE + "DEMO_SITE": settings.UMAP_DEMO_SITE, } def get_template_names(self): @@ -121,6 +125,7 @@ class Home(TemplateView, PaginatorMixin): else: return [self.template_name] + home = Home.as_view() @@ -128,13 +133,14 @@ class About(Home): template_name = "umap/about.html" + about = About.as_view() class UserMaps(DetailView, PaginatorMixin): model = User - slug_url_kwarg = 'username' - slug_field = 'username' + slug_url_kwarg = "username" + slug_field = "username" list_template_name = "umap/map_list.html" context_object_name = "current_user" @@ -148,11 +154,9 @@ class UserMaps(DetailView, PaginatorMixin): else: per_page = settings.UMAP_MAPS_PER_PAGE limit = 50 - maps = maps.distinct().order_by('-modified_at')[:limit] + maps = maps.distinct().order_by("-modified_at")[:limit] maps = self.paginate(maps, per_page) - kwargs.update({ - "maps": maps - }) + kwargs.update({"maps": maps}) return super(UserMaps, self).get_context_data(**kwargs) def get_template_names(self): @@ -164,6 +168,7 @@ class UserMaps(DetailView, PaginatorMixin): else: return super(UserMaps, self).get_template_names() + user_maps = UserMaps.as_view() @@ -172,20 +177,17 @@ class Search(TemplateView, PaginatorMixin): list_template_name = "umap/map_list.html" def get_context_data(self, **kwargs): - q = self.request.GET.get('q') + q = self.request.GET.get("q") results = [] if q: where = "to_tsvector(name) @@ plainto_tsquery(%s)" - if getattr(settings, 'UMAP_USE_UNACCENT', False): + if getattr(settings, "UMAP_USE_UNACCENT", False): where = "to_tsvector(unaccent(name)) @@ plainto_tsquery(unaccent(%s))" # noqa results = Map.objects.filter(share_status=Map.PUBLIC) results = results.extra(where=[where], params=[q]) - results = results.order_by('-modified_at') + results = results.order_by("-modified_at") results = self.paginate(results) - kwargs.update({ - 'maps': results, - 'q': q - }) + kwargs.update({"maps": results, "q": q}) return kwargs def get_template_names(self): @@ -197,57 +199,52 @@ class Search(TemplateView, PaginatorMixin): else: return super(Search, self).get_template_names() + search = Search.as_view() class MapsShowCase(View): - def get(self, *args, **kwargs): maps = Map.public.filter(center__distance_gt=(DEFAULT_CENTER, D(km=1))) - maps = maps.order_by('-modified_at')[:2500] + maps = maps.order_by("-modified_at")[:2500] def make(m): description = m.description or "" if m.owner: - description = u"{description}\n{by} [[{url}|{name}]]".format( + description = "{description}\n{by} [[{url}|{name}]]".format( description=description, by=_("by"), - url=reverse('user_maps', - kwargs={"username": m.owner.username}), + url=reverse("user_maps", kwargs={"username": m.owner.username}), name=m.owner, ) - description = u"{}\n[[{}|{}]]".format( - description, m.get_absolute_url(), _("View the map")) - geometry = m.settings.get('geometry', json.loads(m.center.geojson)) + description = "{}\n[[{}|{}]]".format( + description, m.get_absolute_url(), _("View the map") + ) + geometry = m.settings.get("geometry", json.loads(m.center.geojson)) return { "type": "Feature", "geometry": geometry, - "properties": { - "name": m.name, - "description": description - } + "properties": {"name": m.name, "description": description}, } - geojson = { - "type": "FeatureCollection", - "features": [make(m) for m in maps] - } + geojson = {"type": "FeatureCollection", "features": [make(m) for m in maps]} return HttpResponse(smart_bytes(json.dumps(geojson))) + showcase = MapsShowCase.as_view() def validate_url(request): assert request.method == "GET" assert is_ajax(request) - url = request.GET.get('url') + url = request.GET.get("url") assert url try: URLValidator(url) except ValidationError: raise AssertionError() - assert 'HTTP_REFERER' in request.META - referer = urlparse(request.META.get('HTTP_REFERER')) + assert "HTTP_REFERER" in request.META + referer = urlparse(request.META.get("HTTP_REFERER")) toproxy = urlparse(url) local = urlparse(settings.SITE_URL) assert toproxy.hostname @@ -264,38 +261,39 @@ def validate_url(request): class AjaxProxy(View): - def get(self, *args, **kwargs): # You should not use this in production (use Nginx or so) try: url = validate_url(self.request) except AssertionError: return HttpResponseBadRequest() - headers = { - 'User-Agent': 'uMapProxy +http://wiki.openstreetmap.org/wiki/UMap' - } + headers = {"User-Agent": "uMapProxy +http://wiki.openstreetmap.org/wiki/UMap"} request = Request(url, headers=headers) opener = build_opener() try: proxied_request = opener.open(request) except HTTPError as e: - return HttpResponse(e.msg, status=e.code, - content_type='text/plain') + return HttpResponse(e.msg, status=e.code, content_type="text/plain") else: status_code = proxied_request.code - mimetype = proxied_request.headers.get('Content-Type') or mimetypes.guess_type(url) # noqa + mimetype = proxied_request.headers.get( + "Content-Type" + ) or mimetypes.guess_type( + url + ) # noqa content = proxied_request.read() # Quick hack to prevent Django from adding a Vary: Cookie header self.request.session.accessed = False - response = HttpResponse(content, status=status_code, - content_type=mimetype) + response = HttpResponse(content, status=status_code, content_type=mimetype) try: - ttl = int(self.request.GET.get('ttl')) + ttl = int(self.request.GET.get("ttl")) except (TypeError, ValueError): pass else: - response['X-Accel-Expires'] = ttl + response["X-Accel-Expires"] = ttl return response + + ajax_proxy = AjaxProxy.as_view() @@ -303,6 +301,7 @@ ajax_proxy = AjaxProxy.as_view() # Utils # # ############## # + def _urls_for_js(urls=None): """ Return templated URLs prepared for javascript. @@ -310,10 +309,12 @@ def _urls_for_js(urls=None): if urls is None: # prevent circular import from .urls import urlpatterns, i18n_urls - urls = [url.name for url in urlpatterns + i18n_urls - if getattr(url, 'name', None)] + + urls = [ + url.name for url in urlpatterns + i18n_urls if getattr(url, "name", None) + ] urls = dict(zip(urls, [get_uri_template(url) for url in urls])) - urls.update(getattr(settings, 'UMAP_EXTRA_URLS', {})) + urls.update(getattr(settings, "UMAP_EXTRA_URLS", {})) return urls @@ -321,14 +322,8 @@ def render_to_json(templates, context, request): """ Generate a JSON HttpResponse with rendered template HTML. """ - html = render_to_string( - templates, - context=context, - request=request - ) - _json = json.dumps({ - "html": html - }) + html = render_to_string(templates, context=context, request=request) + _json = json.dumps({"html": html}) return HttpResponse(_json) @@ -342,15 +337,16 @@ def simple_json_response(**kwargs): class FormLessEditMixin: - http_method_names = [u'post', ] + http_method_names = [ + "post", + ] def form_invalid(self, form): - return simple_json_response(errors=form.errors, - error=str(form.errors)) + return simple_json_response(errors=form.errors, error=str(form.errors)) def get_form(self, form_class=None): kwargs = self.get_form_kwargs() - kwargs['error_class'] = FlatErrorList + kwargs["error_class"] = FlatErrorList return self.get_form_class()(**kwargs) @@ -361,20 +357,22 @@ class MapDetailMixin: def get_context_data(self, **kwargs): context = super().get_context_data(**kwargs) properties = { - 'urls': _urls_for_js(), - 'tilelayers': TileLayer.get_list(), - 'allowEdit': self.is_edit_allowed(), - 'default_iconUrl': "%sumap/img/marker.png" % settings.STATIC_URL, # noqa - 'umap_id': self.get_umap_id(), - 'licences': dict((l.name, l.json) for l in Licence.objects.all()), - 'edit_statuses': [(i, str(label)) for i, label in Map.EDIT_STATUS], - 'share_statuses': [(i, str(label)) - for i, label in Map.SHARE_STATUS if i != Map.BLOCKED], - 'anonymous_edit_statuses': [(i, str(label)) for i, label - in AnonymousMapPermissionsForm.STATUS], + "urls": _urls_for_js(), + "tilelayers": TileLayer.get_list(), + "allowEdit": self.is_edit_allowed(), + "default_iconUrl": "%sumap/img/marker.png" % settings.STATIC_URL, # noqa + "umap_id": self.get_umap_id(), + "licences": dict((l.name, l.json) for l in Licence.objects.all()), + "edit_statuses": [(i, str(label)) for i, label in Map.EDIT_STATUS], + "share_statuses": [ + (i, str(label)) for i, label in Map.SHARE_STATUS if i != Map.BLOCKED + ], + "anonymous_edit_statuses": [ + (i, str(label)) for i, label in AnonymousMapPermissionsForm.STATUS + ], } if self.get_short_url(): - properties['shortUrl'] = self.get_short_url() + properties["shortUrl"] = self.get_short_url() if settings.USE_I18N: locale = settings.LANGUAGE_CODE @@ -382,23 +380,21 @@ class MapDetailMixin: if hasattr(self.request, "LANGUAGE_CODE"): locale = self.request.LANGUAGE_CODE locale = to_locale(locale) - properties['locale'] = locale - context['locale'] = locale + properties["locale"] = locale + context["locale"] = locale user = self.request.user if not user.is_anonymous: - properties['user'] = { - 'id': user.pk, - 'name': user.get_username(), - 'url': reverse(settings.USER_MAPS_URL, - args=(user.get_username(), )) + properties["user"] = { + "id": user.pk, + "name": user.get_username(), + "url": reverse(settings.USER_MAPS_URL, args=(user.get_username(),)), } map_settings = self.get_geojson() if "properties" not in map_settings: - map_settings['properties'] = {} - map_settings['properties'].update(properties) - map_settings['properties']['datalayers'] = self.get_datalayers() - context['map_settings'] = json.dumps(map_settings, - indent=settings.DEBUG) + map_settings["properties"] = {} + map_settings["properties"].update(properties) + map_settings["properties"]["datalayers"] = self.get_datalayers() + context["map_settings"] = json.dumps(map_settings, indent=settings.DEBUG) return context def get_datalayers(self): @@ -414,12 +410,12 @@ class MapDetailMixin: return { "geometry": { "coordinates": [DEFAULT_LONGITUDE, DEFAULT_LATITUDE], - "type": "Point" + "type": "Point", }, "properties": { - "zoom": getattr(settings, 'LEAFLET_ZOOM', 6), + "zoom": getattr(settings, "LEAFLET_ZOOM", 6), "datalayers": [], - } + }, } def get_short_url(self): @@ -427,25 +423,27 @@ class MapDetailMixin: class PermissionsMixin: - def get_permissions(self): permissions = {} - permissions['edit_status'] = self.object.edit_status - permissions['share_status'] = self.object.share_status + permissions["edit_status"] = self.object.edit_status + permissions["share_status"] = self.object.share_status if self.object.owner: - permissions['owner'] = { - 'id': self.object.owner.pk, - 'name': self.object.owner.get_username(), - 'url': reverse(settings.USER_MAPS_URL, - args=(self.object.owner.get_username(), )) + permissions["owner"] = { + "id": self.object.owner.pk, + "name": self.object.owner.get_username(), + "url": reverse( + settings.USER_MAPS_URL, args=(self.object.owner.get_username(),) + ), } - permissions['editors'] = [{ - 'id': editor.pk, - 'name': editor.get_username(), - } for editor in self.object.editors.all()] - if (not self.object.owner - and self.object.is_anonymous_owner(self.request)): - permissions['anonymous_edit_url'] = self.get_anonymous_edit_url() + permissions["editors"] = [ + { + "id": editor.pk, + "name": editor.get_username(), + } + for editor in self.object.editors.all() + ] + if not self.object.owner and self.object.is_anonymous_owner(self.request): + permissions["anonymous_edit_url"] = self.get_anonymous_edit_url() return permissions def get_anonymous_edit_url(self): @@ -454,13 +452,12 @@ class PermissionsMixin: class MapView(MapDetailMixin, PermissionsMixin, DetailView): - def get(self, request, *args, **kwargs): self.object = self.get_object() canonical = self.get_canonical_url() if not request.path == canonical: - if request.META.get('QUERY_STRING'): - canonical = "?".join([canonical, request.META['QUERY_STRING']]) + if request.META.get("QUERY_STRING"): + canonical = "?".join([canonical, request.META["QUERY_STRING"]]) return HttpResponsePermanentRedirect(canonical) if not self.object.can_view(request): return HttpResponseForbidden() @@ -481,29 +478,26 @@ class MapView(MapDetailMixin, PermissionsMixin, DetailView): def get_short_url(self): shortUrl = None - if hasattr(settings, 'SHORT_SITE_URL'): - short_path = reverse_lazy('map_short_url', - kwargs={'pk': self.object.pk}) + if hasattr(settings, "SHORT_SITE_URL"): + short_path = reverse_lazy("map_short_url", kwargs={"pk": self.object.pk}) shortUrl = "%s%s" % (settings.SHORT_SITE_URL, short_path) return shortUrl def get_geojson(self): map_settings = self.object.settings if "properties" not in map_settings: - map_settings['properties'] = {} - map_settings['properties']['name'] = self.object.name - map_settings['properties']['permissions'] = self.get_permissions() + map_settings["properties"] = {} + map_settings["properties"]["name"] = self.object.name + map_settings["properties"]["permissions"] = self.get_permissions() return map_settings class MapViewGeoJSON(MapView): - def get_canonical_url(self): - return reverse('map_geojson', args=(self.object.pk, )) + return reverse("map_geojson", args=(self.object.pk,)) def render_to_response(self, context, *args, **kwargs): - return HttpResponse(context['map_settings'], - content_type='application/json') + return HttpResponse(context["map_settings"], content_type="application/json") class MapNew(MapDetailMixin, TemplateView): @@ -529,19 +523,17 @@ class MapCreate(FormLessEditMixin, PermissionsMixin, CreateView): msg = _("Congratulations, your map has been created!") permissions = self.get_permissions() # User does not have the cookie yet. - permissions['anonymous_edit_url'] = anonymous_url + permissions["anonymous_edit_url"] = anonymous_url response = simple_json_response( id=self.object.pk, url=self.object.get_absolute_url(), permissions=permissions, - info=msg + info=msg, ) if not self.request.user.is_authenticated: key, value = self.object.signed_cookie_elements response.set_signed_cookie( - key=key, - value=value, - max_age=ANONYMOUS_COOKIE_MAX_AGE + key=key, value=value, max_age=ANONYMOUS_COOKIE_MAX_AGE ) return response @@ -549,7 +541,7 @@ class MapCreate(FormLessEditMixin, PermissionsMixin, CreateView): class MapUpdate(FormLessEditMixin, PermissionsMixin, UpdateView): model = Map form_class = MapSettingsForm - pk_url_kwarg = 'map_id' + pk_url_kwarg = "map_id" def form_valid(self, form): self.object.settings = form.cleaned_data["settings"] @@ -564,7 +556,7 @@ class MapUpdate(FormLessEditMixin, PermissionsMixin, UpdateView): class UpdateMapPermissions(FormLessEditMixin, UpdateView): model = Map - pk_url_kwarg = 'map_id' + pk_url_kwarg = "map_id" def get_form_class(self): if self.object.owner: @@ -576,25 +568,25 @@ class UpdateMapPermissions(FormLessEditMixin, UpdateView): form = super().get_form(form_class) user = self.request.user if self.object.owner and not user == self.object.owner: - del form.fields['edit_status'] - del form.fields['share_status'] - del form.fields['owner'] + del form.fields["edit_status"] + del form.fields["share_status"] + del form.fields["owner"] return form def form_valid(self, form): self.object = form.save() - return simple_json_response( - info=_("Map editors updated with success!")) + return simple_json_response(info=_("Map editors updated with success!")) class AttachAnonymousMap(View): - def post(self, *args, **kwargs): - self.object = kwargs['map_inst'] - if (self.object.owner - or not self.object.is_anonymous_owner(self.request) - or not self.object.can_edit(self.request.user, self.request) - or not self.request.user.is_authenticated): + self.object = kwargs["map_inst"] + if ( + self.object.owner + or not self.object.is_anonymous_owner(self.request) + or not self.object.can_edit(self.request.user, self.request) + or not self.request.user.is_authenticated + ): return HttpResponseForbidden() self.object.owner = self.request.user self.object.save() @@ -608,30 +600,27 @@ class MapDelete(DeleteView): def form_valid(self, form): self.object = self.get_object() if self.object.owner and self.request.user != self.object.owner: - return HttpResponseForbidden( - _('Only its owner can delete the map.')) - if not self.object.owner\ - and not self.object.is_anonymous_owner(self.request): + return HttpResponseForbidden(_("Only its owner can delete the map.")) + if not self.object.owner and not self.object.is_anonymous_owner(self.request): return HttpResponseForbidden() self.object.delete() return simple_json_response(redirect="/") class MapClone(PermissionsMixin, View): - def post(self, *args, **kwargs): - if not getattr(settings, "UMAP_ALLOW_ANONYMOUS", False) \ - and not self.request.user.is_authenticated: + if ( + not getattr(settings, "UMAP_ALLOW_ANONYMOUS", False) + and not self.request.user.is_authenticated + ): return HttpResponseForbidden() owner = self.request.user if self.request.user.is_authenticated else None - self.object = kwargs['map_inst'].clone(owner=owner) + self.object = kwargs["map_inst"].clone(owner=owner) response = simple_json_response(redirect=self.object.get_absolute_url()) if not self.request.user.is_authenticated: key, value = self.object.signed_cookie_elements response.set_signed_cookie( - key=key, - value=value, - max_age=ANONYMOUS_COOKIE_MAX_AGE + key=key, value=value, max_age=ANONYMOUS_COOKIE_MAX_AGE ) msg = _( "Your map has been cloned! If you want to edit this map from " @@ -649,10 +638,10 @@ class MapShortUrl(RedirectView): permanent = True def get_redirect_url(self, **kwargs): - map_inst = get_object_or_404(Map, pk=kwargs['pk']) + map_inst = get_object_or_404(Map, pk=kwargs["pk"]) url = map_inst.get_absolute_url() if self.query_string: - args = self.request.META.get('QUERY_STRING', '') + args = self.request.META.get("QUERY_STRING", "") if args: url = "%s?%s" % (url, args) return url @@ -665,7 +654,7 @@ class MapAnonymousEditUrl(RedirectView): def get(self, request, *args, **kwargs): signer = Signer() try: - pk = signer.unsign(self.kwargs['signature']) + pk = signer.unsign(self.kwargs["signature"]) except BadSignature: return HttpResponseForbidden() else: @@ -675,9 +664,7 @@ class MapAnonymousEditUrl(RedirectView): if not map_inst.owner: key, value = map_inst.signed_cookie_elements response.set_signed_cookie( - key=key, - value=value, - max_age=ANONYMOUS_COOKIE_MAX_AGE + key=key, value=value, max_age=ANONYMOUS_COOKIE_MAX_AGE ) return response @@ -734,15 +721,16 @@ class DataLayerView(GZipMixin, BaseDetailView): if getattr(settings, 'UMAP_XSENDFILE_HEADER', None): response = HttpResponse() - path = path.replace(settings.MEDIA_ROOT, '/internal') + path = path.replace(settings.MEDIA_ROOT, "/internal") response[settings.UMAP_XSENDFILE_HEADER] = path else: # TODO IMS statobj = os.stat(path) - with open(path, 'rb') as f: + with open(path, "rb") as f: + # Should not be used in production! response = HttpResponse( - f.read(), # should not be used in production! - content_type='application/json' + f.read(), + content_type="application/json" ) response["Last-Modified"] = http_date(statobj.st_mtime) response['ETag'] = self.etag() @@ -754,11 +742,11 @@ class DataLayerView(GZipMixin, BaseDetailView): class DataLayerVersion(DataLayerView): - def _path(self): - return '{root}/{path}'.format( + return "{root}/{path}".format( root=settings.MEDIA_ROOT, - path=self.object.get_version_path(self.kwargs['name'])) + path=self.object.get_version_path(self.kwargs["name"]), + ) class DataLayerCreate(FormLessEditMixin, GZipMixin, CreateView): @@ -798,7 +786,7 @@ class DataLayerUpdate(FormLessEditMixin, GZipMixin, UpdateView): def post(self, request, *args, **kwargs): self.object = self.get_object() - if self.object.map != self.kwargs['map_inst']: + if self.object.map != self.kwargs["map_inst"]: return HttpResponseForbidden() if not self.if_match(): return HttpResponse(status=412) @@ -810,7 +798,7 @@ class DataLayerDelete(DeleteView): def form_valid(self, form): self.object = self.get_object() - if self.object.map != self.kwargs['map_inst']: + if self.object.map != self.kwargs["map_inst"]: return HttpResponseForbidden() self.object.delete() return simple_json_response(info=_("Layer successfully deleted.")) @@ -827,6 +815,7 @@ class DataLayerVersions(BaseDetailView): # Picto # # ############## # + class PictogramJSONList(ListView): model = Pictogram @@ -839,6 +828,7 @@ class PictogramJSONList(ListView): # Generic # # ############## # + def logout(request): do_logout(request) return simple_json_response(redirect="/") @@ -849,4 +839,5 @@ class LoginPopupEnd(TemplateView): End of a loggin process in popup. Basically close the popup. """ + template_name = "umap/login_popup_end.html" From 122e9de3a33840e52bbc365bccfaa001f576a76a Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 11:01:01 +0100 Subject: [PATCH 018/143] Use ipdb with pytest --pdb --- pytest.ini | 1 + 1 file changed, 1 insertion(+) diff --git a/pytest.ini b/pytest.ini index 733af6f1..b4c5f0e5 100644 --- a/pytest.ini +++ b/pytest.ini @@ -1,2 +1,3 @@ [pytest] DJANGO_SETTINGS_MODULE=umap.tests.settings +addopts = "--pdbcls=IPython.terminal.debugger:Pdb" From abc1f119d5a22f528e190a61626cf76d53427eb2 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 11:38:59 +0100 Subject: [PATCH 019/143] black on views.py --- umap/views.py | 48 ++++++++++++++++++++++++++++-------------------- 1 file changed, 28 insertions(+), 20 deletions(-) diff --git a/umap/views.py b/umap/views.py index 5e69088a..537ea226 100644 --- a/umap/views.py +++ b/umap/views.py @@ -14,9 +14,13 @@ from django.core.paginator import EmptyPage, PageNotAnInteger, Paginator from django.core.signing import BadSignature, Signer from django.core.validators import URLValidator, ValidationError from django.db.models import Q -from django.http import (HttpResponse, HttpResponseBadRequest, - HttpResponseForbidden, HttpResponsePermanentRedirect, - HttpResponseRedirect) +from django.http import ( + HttpResponse, + HttpResponseBadRequest, + HttpResponseForbidden, + HttpResponsePermanentRedirect, + HttpResponseRedirect, +) from django.middleware.gzip import re_accepts_gzip from django.shortcuts import get_object_or_404 from django.template.loader import render_to_string @@ -31,9 +35,16 @@ from django.views.generic.detail import BaseDetailView from django.views.generic.edit import CreateView, DeleteView, UpdateView from django.views.generic.list import ListView -from .forms import (DEFAULT_LATITUDE, DEFAULT_LONGITUDE, DEFAULT_CENTER, - AnonymousMapPermissionsForm, DataLayerForm, FlatErrorList, - MapSettingsForm, UpdateMapPermissionsForm) +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, is_ajax @@ -676,7 +687,7 @@ class MapAnonymousEditUrl(RedirectView): class GZipMixin(object): - EXT = '.gz' + EXT = ".gz" def _path(self): return self.object.geojson.path @@ -719,7 +730,7 @@ class DataLayerView(GZipMixin, BaseDetailView): response = None path = self.path() - if getattr(settings, 'UMAP_XSENDFILE_HEADER', None): + if getattr(settings, "UMAP_XSENDFILE_HEADER", None): response = HttpResponse() path = path.replace(settings.MEDIA_ROOT, "/internal") response[settings.UMAP_XSENDFILE_HEADER] = path @@ -728,16 +739,13 @@ class DataLayerView(GZipMixin, BaseDetailView): statobj = os.stat(path) with open(path, "rb") as f: # Should not be used in production! - response = HttpResponse( - f.read(), - content_type="application/json" - ) + response = HttpResponse(f.read(), content_type="application/json") response["Last-Modified"] = http_date(statobj.st_mtime) - response['ETag'] = self.etag() - response['Content-Length'] = statobj.st_size - response['Vary'] = 'Accept-Encoding' + response["ETag"] = self.etag() + response["Content-Length"] = statobj.st_size + response["Vary"] = "Accept-Encoding" if path.endswith(self.EXT): - response['Content-Encoding'] = 'gzip' + response["Content-Encoding"] = "gzip" return response @@ -754,11 +762,11 @@ class DataLayerCreate(FormLessEditMixin, GZipMixin, CreateView): form_class = DataLayerForm def form_valid(self, form): - form.instance.map = self.kwargs['map_inst'] + form.instance.map = self.kwargs["map_inst"] self.object = form.save() # Simple response with only metadatas (including new id) response = simple_json_response(**self.object.metadata) - response['ETag'] = self.etag() + response["ETag"] = self.etag() return response @@ -771,13 +779,13 @@ class DataLayerUpdate(FormLessEditMixin, GZipMixin, UpdateView): # Simple response with only metadatas (client should not reload all data # on save) response = simple_json_response(**self.object.metadata) - response['ETag'] = self.etag() + response["ETag"] = self.etag() return response def if_match(self): """Optimistic concurrency control.""" match = True - if_match = self.request.META.get('HTTP_IF_MATCH') + if_match = self.request.META.get("HTTP_IF_MATCH") if if_match: etag = self.etag() if etag != if_match: From 5b7f08ed086274161c49fb80c894789ab158ece3 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 12:04:09 +0100 Subject: [PATCH 020/143] Refactor gzip creation --- umap/settings/base.py | 1 + umap/utils.py | 3 +++ umap/views.py | 57 +++++++++++++++++-------------------------- 3 files changed, 27 insertions(+), 34 deletions(-) diff --git a/umap/settings/base.py b/umap/settings/base.py index a5d98cc7..49575758 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -224,6 +224,7 @@ DATABASES = { } } UMAP_READONLY = False +UMAP_GZIP = True LOCALE_PATHS = [os.path.join(PROJECT_DIR, 'locale')] # ============================================================================= diff --git a/umap/utils.py b/umap/utils.py index 46da7749..9afe69b4 100644 --- a/umap/utils.py +++ b/umap/utils.py @@ -1,4 +1,5 @@ import gzip +import os from django.urls import get_resolver from django.urls import URLPattern, URLResolver @@ -106,9 +107,11 @@ def decorated_patterns(func, *urls): def gzip_file(from_path, to_path): + stat = os.stat(from_path) with open(from_path, 'rb') as f_in: with gzip.open(to_path, 'wb') as f_out: f_out.writelines(f_in) + os.utime(to_path, (stat.st_mtime, stat.st_mtime)) def is_ajax(request): diff --git a/umap/views.py b/umap/views.py index 537ea226..709b3be9 100644 --- a/umap/views.py +++ b/umap/views.py @@ -1,10 +1,10 @@ -import hashlib import json +import mimetypes import os import re import socket +from pathlib import Path -import mimetypes from django.conf import settings from django.contrib import messages from django.contrib.auth import logout as do_logout @@ -689,38 +689,16 @@ class GZipMixin(object): EXT = ".gz" - def _path(self): + @property + def path(self): return self.object.geojson.path - def path(self): - """ - Serve gzip file if client accept it. - Generate or update the gzip file if needed. - """ - path = self._path() - statobj = os.stat(path) - ae = self.request.META.get('HTTP_ACCEPT_ENCODING', '') - if re_accepts_gzip.search(ae) and getattr(settings, 'UMAP_GZIP', True): - gzip_path = "{path}{ext}".format(path=path, ext=self.EXT) - up_to_date = True - if not os.path.exists(gzip_path): - up_to_date = False - else: - gzip_statobj = os.stat(gzip_path) - if statobj.st_mtime > gzip_statobj.st_mtime: - up_to_date = False - if not up_to_date: - gzip_file(path, gzip_path) - path = gzip_path - return path - def etag(self): - path = self.path() # Align ETag with Nginx one, because when using X-Send-File, If-None-Match # and If-Modified-Since are handled by Nginx. # https://github.com/nginx/nginx/blob/4ace957c4e08bcbf9ef5e9f83b8e43458bead77f/src/http/ngx_http_core_module.c#L1675-L1709 - statobj = os.stat(path) - return 'W/"%x-%x"' % (int(statobj.st_mtime), statobj.st_size) + statobj = os.stat(self.path) + return '"%x-%x"' % (int(statobj.st_mtime), statobj.st_size) class DataLayerView(GZipMixin, BaseDetailView): @@ -728,29 +706,40 @@ class DataLayerView(GZipMixin, BaseDetailView): def render_to_response(self, context, **response_kwargs): response = None - path = self.path() + path = self.path + # Generate gzip if needed + accepts_gzip = re_accepts_gzip.search( + self.request.META.get("HTTP_ACCEPT_ENCODING", "") + ) + if accepts_gzip and settings.UMAP_GZIP: + gzip_path = Path(f"{path}{self.EXT}") + if not gzip_path.exists(): + gzip_file(path, gzip_path) if getattr(settings, "UMAP_XSENDFILE_HEADER", None): response = HttpResponse() path = path.replace(settings.MEDIA_ROOT, "/internal") response[settings.UMAP_XSENDFILE_HEADER] = path else: - # TODO IMS + # Do not use in production + # (no cache-control/If-Modified-Since/If-None-Match) statobj = os.stat(path) with open(path, "rb") as f: # Should not be used in production! - response = HttpResponse(f.read(), content_type="application/json") + response = HttpResponse(f.read(), content_type="application/geo+json") response["Last-Modified"] = http_date(statobj.st_mtime) response["ETag"] = self.etag() response["Content-Length"] = statobj.st_size response["Vary"] = "Accept-Encoding" - if path.endswith(self.EXT): - response["Content-Encoding"] = "gzip" + if accepts_gzip and settings.UMAP_GZIP: + response["Content-Encoding"] = "gzip" return response class DataLayerVersion(DataLayerView): - def _path(self): + + @property + def path(self): return "{root}/{path}".format( root=settings.MEDIA_ROOT, path=self.object.get_version_path(self.kwargs["name"]), From 894facc7e3954a832015fc49a7115a45d56a931d Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 12:32:35 +0100 Subject: [PATCH 021/143] Document x-accel-redirect and ajax-proxy cache configuration --- docs/ubuntu.md | 69 ++++++++++++++++++++++++++++++++++++++++++++++++-- 1 file changed, 67 insertions(+), 2 deletions(-) diff --git a/docs/ubuntu.md b/docs/ubuntu.md index 6f8ac33f..a2c2e2c3 100644 --- a/docs/ubuntu.md +++ b/docs/ubuntu.md @@ -262,17 +262,30 @@ In your local.py: UMAP_DEMO_SITE = False DEBUG = False - + +### Configure Nginx to serve statics and uploaded files: + In your nginx config: location /static { autoindex off; + access_log off; + log_not_found off; + sendfile on; + gzip on; + gzip_vary on; alias /path/to/umap/var/static/; } location /uploads { autoindex off; - alias /path/to/umap/var/data/; + sendfile on; + gzip on; + gzip_vary on; + alias /path/to/umap/var/data/; + # Exclude direct acces to geojson, as permissions must be + # checked py django. + location /uploads/datalayer/ { return 404; } } ### Configure social auth @@ -294,6 +307,9 @@ In your local.py, set `COMPRESS_ENABLED = True`, and then run the following comm umap compress +Optionally add `COMPRESS_STORAGE = "compressor.storage.GzipCompressorFileStorage"` +and add `gzip_static on` directive to Nginx `/static` location, so Nginx will +serve pregenerated files instead of compressing them on the fly. ### Configure the site URL and short URL @@ -304,6 +320,55 @@ In your local.py: Also adapt `ALLOWED_HOSTS` accordingly. +### Configure X-Accel-Redirect + +In order to let Nginx serve the layer geojsons but uMap still check the permissions, +you can add this settings: + + UMAP_XSENDFILE_HEADER = 'X-Accel-Redirect' + +And then add this new location in your nginx config (before the `/` location): + + location /internal/ { + internal; + gzip_vary on; + gzip_static on; + alias /path/to/umap/var/data/; + } + +### Configure ajax proxy cache + +In Nginx: + +- add the proxy cache + + proxy_cache_path /tmp/nginx_ajax_proxy_cache levels=1:2 keys_zone=ajax_proxy:10m inactive=60m; + proxy_cache_key "$args"; + +- add this location (before the `/` location): + + location /ajax-proxy/ { + valid_referers server_names; + if ($invalid_referer) { + return 400; + } + add_header X-Proxy-Cache $upstream_cache_status always; + proxy_cache ajax_proxy; + proxy_cache_valid 1m; # Default. Umap will override using X-Accel-Expires + gzip on; + gzip_proxied any; + gzip_types + application/vnd.google-earth.kml+xml + application/geo+json + application/json + application/javascript + text/xml + application/xml; + uwsgi_pass umap; + include /srv/umap/uwsgi_params; + } + + ## Add more tilelayers, pictograms… From 669430666055d2f14cd17575e87519f312775baf Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 13:45:15 +0100 Subject: [PATCH 022/143] Use If-Unmodified-Since istead of If-Match If-Match relies on ETag, which depends on the Content-Encoding, which is more fragile given we updated the etag on save, while normal files are served by nginx. So this may occurs false mismatch. --- umap/static/umap/js/umap.layer.js | 6 ++--- umap/tests/test_datalayer_views.py | 21 +++++++----------- umap/views.py | 35 +++++++++++++----------------- 3 files changed, 26 insertions(+), 36 deletions(-) diff --git a/umap/static/umap/js/umap.layer.js b/umap/static/umap/js/umap.layer.js index 2aa8929e..4a77571c 100644 --- a/umap/static/umap/js/umap.layer.js +++ b/umap/static/umap/js/umap.layer.js @@ -274,7 +274,7 @@ L.U.DataLayer = L.Evented.extend({ if (!this.umap_id) return; this.map.get(this._dataUrl(), { callback: function (geojson, response) { - this._etag = response.getResponseHeader('ETag'); + this._last_modified = response.getResponseHeader('Last-Modified'); this.fromUmapGeoJSON(geojson); this.backupOptions(); this.fire('loaded'); @@ -1017,7 +1017,7 @@ L.U.DataLayer = L.Evented.extend({ data: formData, callback: function (data, response) { this._geojson = geojson; - this._etag = response.getResponseHeader('ETag'); + this._last_modified = response.getResponseHeader('Last-Modified'); this.setUmapId(data.id); this.updateOptions(data); this.backupOptions(); @@ -1028,7 +1028,7 @@ L.U.DataLayer = L.Evented.extend({ this.map.continueSaving(); }, context: this, - headers: {'If-Match': this._etag || ''} + headers: this._last_modified ? {'If-Unmodified-Since': this._last_modified} : {} }); }, diff --git a/umap/tests/test_datalayer_views.py b/umap/tests/test_datalayer_views.py index 01fd5c64..ef00b822 100644 --- a/umap/tests/test_datalayer_views.py +++ b/umap/tests/test_datalayer_views.py @@ -24,11 +24,8 @@ def post_data(): def test_get(client, settings, datalayer): url = reverse('datalayer_view', args=(datalayer.pk, )) response = client.get(url) - if getattr(settings, 'UMAP_XSENDFILE_HEADER', None): - assert response['ETag'] is not None assert response['Last-Modified'] is not None assert response['Cache-Control'] is not None - assert response['Vary'] == 'Accept-Encoding' assert 'Content-Encoding' not in response j = json.loads(response.content.decode()) assert '_umap_options' in j @@ -91,46 +88,44 @@ def test_should_not_be_possible_to_delete_with_wrong_map_id_in_url(client, datal def test_get_gzipped(client, datalayer, settings): url = reverse('datalayer_view', args=(datalayer.pk, )) response = client.get(url, HTTP_ACCEPT_ENCODING='gzip') - if getattr(settings, 'UMAP_XSENDFILE_HEADER', None): - assert response['ETag'] is not None assert response['Last-Modified'] is not None assert response['Cache-Control'] is not None assert response['Content-Encoding'] == 'gzip' -def test_optimistic_concurrency_control_with_good_etag(client, datalayer, map, post_data): # noqa - # Get Etag +def test_optimistic_concurrency_control_with_good_last_modified(client, datalayer, map, post_data): # noqa + # Get Last-Modified url = reverse('datalayer_view', args=(datalayer.pk, )) response = client.get(url) - etag = response['ETag'] + last_modified = response['Last-Modified'] url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password="123123") name = 'new name' post_data['name'] = 'new name' - response = client.post(url, post_data, follow=True, HTTP_IF_MATCH=etag) + response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE=last_modified) assert response.status_code == 200 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) assert modified_datalayer.name == name -def test_optimistic_concurrency_control_with_bad_etag(client, datalayer, map, post_data): # noqa +def test_optimistic_concurrency_control_with_bad_last_modified(client, datalayer, map, post_data): # noqa url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password='123123') name = 'new name' post_data['name'] = name - response = client.post(url, post_data, follow=True, HTTP_IF_MATCH='xxx') + response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE='xxx') assert response.status_code == 412 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) assert modified_datalayer.name != name -def test_optimistic_concurrency_control_with_empty_etag(client, datalayer, map, post_data): # noqa +def test_optimistic_concurrency_control_with_empty_last_modified(client, datalayer, map, post_data): # noqa url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password='123123') name = 'new name' post_data['name'] = name - response = client.post(url, post_data, follow=True, HTTP_IF_MATCH=None) + response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE=None) assert response.status_code == 200 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) assert modified_datalayer.name == name diff --git a/umap/views.py b/umap/views.py index 709b3be9..1f9cdcac 100644 --- a/umap/views.py +++ b/umap/views.py @@ -693,12 +693,10 @@ class GZipMixin(object): def path(self): return self.object.geojson.path - def etag(self): - # Align ETag with Nginx one, because when using X-Send-File, If-None-Match - # and If-Modified-Since are handled by Nginx. - # https://github.com/nginx/nginx/blob/4ace957c4e08bcbf9ef5e9f83b8e43458bead77f/src/http/ngx_http_core_module.c#L1675-L1709 - statobj = os.stat(self.path) - return '"%x-%x"' % (int(statobj.st_mtime), statobj.st_size) + @property + def last_modified(self): + stat = os.stat(self.path) + return http_date(stat.st_mtime) class DataLayerView(GZipMixin, BaseDetailView): @@ -727,8 +725,7 @@ class DataLayerView(GZipMixin, BaseDetailView): with open(path, "rb") as f: # Should not be used in production! response = HttpResponse(f.read(), content_type="application/geo+json") - response["Last-Modified"] = http_date(statobj.st_mtime) - response["ETag"] = self.etag() + response["Last-Modified"] = self.last_modified response["Content-Length"] = statobj.st_size response["Vary"] = "Accept-Encoding" if accepts_gzip and settings.UMAP_GZIP: @@ -737,7 +734,6 @@ class DataLayerView(GZipMixin, BaseDetailView): class DataLayerVersion(DataLayerView): - @property def path(self): return "{root}/{path}".format( @@ -755,7 +751,7 @@ class DataLayerCreate(FormLessEditMixin, GZipMixin, CreateView): self.object = form.save() # Simple response with only metadatas (including new id) response = simple_json_response(**self.object.metadata) - response["ETag"] = self.etag() + response["Last-Modified"] = self.last_modified return response @@ -768,24 +764,23 @@ class DataLayerUpdate(FormLessEditMixin, GZipMixin, UpdateView): # Simple response with only metadatas (client should not reload all data # on save) response = simple_json_response(**self.object.metadata) - response["ETag"] = self.etag() + response["Last-Modified"] = self.last_modified return response - def if_match(self): + def is_unmodified(self): """Optimistic concurrency control.""" - match = True - if_match = self.request.META.get("HTTP_IF_MATCH") - if if_match: - etag = self.etag() - if etag != if_match: - match = False - return match + modified = True + if_unmodified = self.request.META.get("HTTP_IF_UNMODIFIED_SINCE") + if if_unmodified: + if self.last_modified != if_unmodified: + modified = False + return modified def post(self, request, *args, **kwargs): self.object = self.get_object() if self.object.map != self.kwargs["map_inst"]: return HttpResponseForbidden() - if not self.if_match(): + if not self.is_unmodified(): return HttpResponse(status=412) return super(DataLayerUpdate, self).post(request, *args, **kwargs) From e343ddb6368aa54f7a1c441ea93eb974a417a117 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 13:47:12 +0100 Subject: [PATCH 023/143] Do not deal with gzip while serving without x-accel-redirect Let's keep this path simple, as it should not be used in normal production context. --- umap/tests/test_datalayer_views.py | 8 -------- umap/views.py | 5 +---- 2 files changed, 1 insertion(+), 12 deletions(-) diff --git a/umap/tests/test_datalayer_views.py b/umap/tests/test_datalayer_views.py index ef00b822..e4c71324 100644 --- a/umap/tests/test_datalayer_views.py +++ b/umap/tests/test_datalayer_views.py @@ -85,14 +85,6 @@ def test_should_not_be_possible_to_delete_with_wrong_map_id_in_url(client, datal assert DataLayer.objects.filter(pk=datalayer.pk).exists() -def test_get_gzipped(client, datalayer, settings): - url = reverse('datalayer_view', args=(datalayer.pk, )) - response = client.get(url, HTTP_ACCEPT_ENCODING='gzip') - assert response['Last-Modified'] is not None - assert response['Cache-Control'] is not None - assert response['Content-Encoding'] == 'gzip' - - def test_optimistic_concurrency_control_with_good_last_modified(client, datalayer, map, post_data): # noqa # Get Last-Modified url = reverse('datalayer_view', args=(datalayer.pk, )) diff --git a/umap/views.py b/umap/views.py index 1f9cdcac..8736c1dd 100644 --- a/umap/views.py +++ b/umap/views.py @@ -720,16 +720,13 @@ class DataLayerView(GZipMixin, BaseDetailView): response[settings.UMAP_XSENDFILE_HEADER] = path else: # Do not use in production - # (no cache-control/If-Modified-Since/If-None-Match) + # (no gzip/cache-control/If-Modified-Since/If-None-Match) statobj = os.stat(path) with open(path, "rb") as f: # Should not be used in production! response = HttpResponse(f.read(), content_type="application/geo+json") response["Last-Modified"] = self.last_modified response["Content-Length"] = statobj.st_size - response["Vary"] = "Accept-Encoding" - if accepts_gzip and settings.UMAP_GZIP: - response["Content-Encoding"] = "gzip" return response From 1c39245af8553cfc4ae5be229404f8ddcdeeae9d Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 13:50:37 +0100 Subject: [PATCH 024/143] iwyu --- umap/tests/test_utils.py | 14 ++++++++++++++ 1 file changed, 14 insertions(+) create mode 100644 umap/tests/test_utils.py diff --git a/umap/tests/test_utils.py b/umap/tests/test_utils.py new file mode 100644 index 00000000..85862a03 --- /dev/null +++ b/umap/tests/test_utils.py @@ -0,0 +1,14 @@ +from pathlib import Path + +from umap.utils import gzip_file + + +def test_gzip_file(): + # Let's use any old file so we can check that the date of the gzip file is set. + src = Path(__file__).parent / "settings.py" + dest = Path("/tmp/test_settings.py.gz") + gzip_file(src, dest) + src_stat = src.stat() + dest_stat = dest.stat() + dest.unlink() + assert src_stat.st_mtime == dest_stat.st_mtime From 9fad415c9fffb238d751a716e4bd563a655f7f7b Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 13:51:33 +0100 Subject: [PATCH 025/143] Add missing migration --- umap/migrations/0008_alter_map_settings.py | 20 ++++++++++++++++++++ 1 file changed, 20 insertions(+) create mode 100644 umap/migrations/0008_alter_map_settings.py diff --git a/umap/migrations/0008_alter_map_settings.py b/umap/migrations/0008_alter_map_settings.py new file mode 100644 index 00000000..a9e0648a --- /dev/null +++ b/umap/migrations/0008_alter_map_settings.py @@ -0,0 +1,20 @@ +# Generated by Django 4.1.7 on 2023-02-27 12:50 + +from django.db import migrations, models + + +class Migration(migrations.Migration): + + dependencies = [ + ("umap", "0007_auto_20190416_1757"), + ] + + operations = [ + migrations.AlterField( + model_name="map", + name="settings", + field=models.JSONField( + blank=True, default=dict, null=True, verbose_name="settings" + ), + ), + ] From 41e40a1ea8df6ad7c9cd0f214c91fa6a41371f46 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 13:52:05 +0100 Subject: [PATCH 026/143] i18n --- umap/locale/ar/LC_MESSAGES/django.po | 17 +++++++------- umap/static/umap/locale/ar.json | 34 ++++++++++++++-------------- 2 files changed, 26 insertions(+), 25 deletions(-) diff --git a/umap/locale/ar/LC_MESSAGES/django.po b/umap/locale/ar/LC_MESSAGES/django.po index ccba0d4d..5fd29cd0 100644 --- a/umap/locale/ar/LC_MESSAGES/django.po +++ b/umap/locale/ar/LC_MESSAGES/django.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Eyad Alomar, 2023 # Med Limem Smida , 2018 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: 2013-11-22 14:00+0000\n" +"Last-Translator: Eyad Alomar, 2023\n" "Language-Team: Arabic (http://www.transifex.com/openstreetmap/umap/language/ar/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -32,7 +33,7 @@ msgstr "" #: umap/templates/umap/about_summary.html:33 #: umap/templates/umap/navigation.html:26 msgid "Create a map" -msgstr "أعد خريطة" +msgstr "أنشئ خريطةً" #: tmp/framacarte/templates/umap/navigation.html:7 #: umap/templates/umap/navigation.html:10 @@ -52,7 +53,7 @@ msgstr "تسجيل" #: tmp/framacarte/templates/umap/navigation.html:12 #: umap/templates/umap/navigation.html:20 msgid "Log out" -msgstr "خروج" +msgstr "تسجيل خروج" #: tmp/framacarte/templates/umap/search_bar.html:6 #: umap/templates/umap/search_bar.html:6 @@ -72,15 +73,15 @@ msgstr "" #: umap/forms.py:44 umap/models.py:115 msgid "Everyone can edit" -msgstr "يمكن للجميع التغيير" +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" diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 191799fb..4db118a8 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -1,19 +1,19 @@ { - "Add symbol": "أضف رمز", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", - "Automatic": "Automatic", - "Ball": "Ball", - "Cancel": "Cancel", - "Caption": "Caption", - "Change symbol": "غيّر رمز", - "Choose the data format": "إختر شكل البيانات", - "Choose the layer of the feature": "Choose the layer of the feature", + "Add symbol": "أضف رمزًا", + "Allow scroll wheel zoom?": "السماح بالتكبير بتمرير عجلة الفأرة؟", + "Automatic": "تلقائي", + "Ball": "كرة", + "Cancel": "إلغاء", + "Caption": "شرح", + "Change symbol": "غيّر الرمز", + "Choose the data format": "اختر تنسيق البيانات", + "Choose the layer of the feature": "اختر طبقة الشكل", "Circle": "دائرة", - "Clustered": "Clustered", - "Data browser": "Data browser", - "Default": "Default", - "Default zoom level": "Default zoom level", - "Default: name": "Default: name", + "Clustered": "متجمع", + "Data browser": "متصفح البيانات", + "Default": "افتراضي", + "Default zoom level": "مستوى التكبير الافتراضي", + "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", @@ -96,9 +96,9 @@ "All properties are imported.": "All properties are imported.", "Allow interactions": "يسمح بالتفاعل", "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 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?", @@ -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 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 use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", From 238401f9834bfde0fff8a258354b20194264fd5a Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 14:39:59 +0100 Subject: [PATCH 027/143] i18n --- umap/locale/am_ET/LC_MESSAGES/django.mo | Bin 6618 -> 6577 bytes umap/locale/am_ET/LC_MESSAGES/django.po | 80 ++--- umap/locale/ar/LC_MESSAGES/django.mo | Bin 4041 -> 4038 bytes umap/locale/bg/LC_MESSAGES/django.mo | Bin 7196 -> 7132 bytes umap/locale/bg/LC_MESSAGES/django.po | 80 ++--- umap/locale/ca/LC_MESSAGES/django.mo | Bin 7221 -> 7185 bytes umap/locale/ca/LC_MESSAGES/django.po | 82 ++--- umap/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 7365 -> 7316 bytes umap/locale/cs_CZ/LC_MESSAGES/django.po | 76 ++--- umap/locale/da/LC_MESSAGES/django.mo | Bin 7029 -> 6995 bytes umap/locale/da/LC_MESSAGES/django.po | 80 ++--- umap/locale/de/LC_MESSAGES/django.mo | Bin 7362 -> 7318 bytes umap/locale/de/LC_MESSAGES/django.po | 80 ++--- umap/locale/el/LC_MESSAGES/django.mo | Bin 10089 -> 10049 bytes umap/locale/el/LC_MESSAGES/django.po | 76 ++--- umap/locale/en/LC_MESSAGES/django.po | 80 ++--- umap/locale/es/LC_MESSAGES/django.mo | Bin 7282 -> 7292 bytes umap/locale/es/LC_MESSAGES/django.po | 82 ++--- umap/locale/et/LC_MESSAGES/django.mo | Bin 6166 -> 6136 bytes umap/locale/et/LC_MESSAGES/django.po | 80 ++--- umap/locale/fa_IR/LC_MESSAGES/django.mo | Bin 0 -> 8905 bytes umap/locale/fa_IR/LC_MESSAGES/django.po | 76 ++--- umap/locale/fi/LC_MESSAGES/django.mo | Bin 5815 -> 5792 bytes umap/locale/fi/LC_MESSAGES/django.po | 80 ++--- umap/locale/fr/LC_MESSAGES/django.mo | Bin 7331 -> 7349 bytes umap/locale/fr/LC_MESSAGES/django.po | 76 ++--- umap/locale/gl/LC_MESSAGES/django.mo | Bin 7205 -> 7160 bytes umap/locale/gl/LC_MESSAGES/django.po | 80 ++--- umap/locale/he/LC_MESSAGES/django.mo | Bin 8051 -> 8007 bytes umap/locale/he/LC_MESSAGES/django.po | 80 ++--- umap/locale/hr/LC_MESSAGES/django.mo | Bin 1845 -> 1777 bytes umap/locale/hr/LC_MESSAGES/django.po | 80 ++--- umap/locale/hu/LC_MESSAGES/django.mo | Bin 7605 -> 7561 bytes umap/locale/hu/LC_MESSAGES/django.po | 80 ++--- umap/locale/is/LC_MESSAGES/django.mo | Bin 7647 -> 7603 bytes umap/locale/is/LC_MESSAGES/django.po | 80 ++--- umap/locale/it/LC_MESSAGES/django.mo | Bin 7314 -> 7309 bytes umap/locale/it/LC_MESSAGES/django.po | 84 ++--- umap/locale/ja/LC_MESSAGES/django.mo | Bin 7724 -> 7672 bytes umap/locale/ja/LC_MESSAGES/django.po | 80 ++--- umap/locale/ko/LC_MESSAGES/django.mo | Bin 7670 -> 7625 bytes umap/locale/ko/LC_MESSAGES/django.po | 80 ++--- umap/locale/lt/LC_MESSAGES/django.mo | Bin 6879 -> 6845 bytes umap/locale/lt/LC_MESSAGES/django.po | 80 ++--- umap/locale/ms/LC_MESSAGES/django.mo | Bin 0 -> 7192 bytes umap/locale/ms/LC_MESSAGES/django.po | 76 ++--- umap/locale/nl/LC_MESSAGES/django.mo | Bin 5942 -> 6999 bytes umap/locale/nl/LC_MESSAGES/django.po | 76 ++--- umap/locale/pl/LC_MESSAGES/django.mo | Bin 7336 -> 7298 bytes umap/locale/pl/LC_MESSAGES/django.po | 80 ++--- umap/locale/pt/LC_MESSAGES/django.mo | Bin 7240 -> 7256 bytes umap/locale/pt/LC_MESSAGES/django.po | 82 ++--- umap/locale/pt_BR/LC_MESSAGES/django.mo | Bin 6945 -> 7282 bytes umap/locale/pt_BR/LC_MESSAGES/django.po | 87 +++--- umap/locale/pt_PT/LC_MESSAGES/django.mo | Bin 7255 -> 7271 bytes umap/locale/pt_PT/LC_MESSAGES/django.po | 82 ++--- umap/locale/ru/LC_MESSAGES/django.mo | Bin 9291 -> 9228 bytes umap/locale/ru/LC_MESSAGES/django.po | 80 ++--- umap/locale/sk_SK/LC_MESSAGES/django.mo | Bin 6929 -> 6891 bytes umap/locale/sk_SK/LC_MESSAGES/django.po | 80 ++--- umap/locale/sl/LC_MESSAGES/django.mo | Bin 6853 -> 6825 bytes umap/locale/sl/LC_MESSAGES/django.po | 80 ++--- umap/locale/sr/LC_MESSAGES/django.mo | Bin 8900 -> 8830 bytes umap/locale/sr/LC_MESSAGES/django.po | 80 ++--- umap/locale/sv/LC_MESSAGES/django.mo | Bin 7024 -> 6975 bytes umap/locale/sv/LC_MESSAGES/django.po | 80 ++--- umap/locale/tr/LC_MESSAGES/django.mo | Bin 7424 -> 7375 bytes umap/locale/tr/LC_MESSAGES/django.po | 80 ++--- umap/locale/uk_UA/LC_MESSAGES/django.mo | Bin 9499 -> 9429 bytes umap/locale/uk_UA/LC_MESSAGES/django.po | 80 ++--- umap/locale/vi/LC_MESSAGES/django.mo | Bin 6096 -> 6064 bytes umap/locale/vi/LC_MESSAGES/django.po | 80 ++--- umap/locale/zh_TW/LC_MESSAGES/django.mo | Bin 6850 -> 6802 bytes umap/locale/zh_TW/LC_MESSAGES/django.po | 80 ++--- umap/static/umap/locale/am_ET.js | 22 +- umap/static/umap/locale/am_ET.json | 21 +- umap/static/umap/locale/ar.js | 47 +-- umap/static/umap/locale/ar.json | 17 +- umap/static/umap/locale/ast.js | 15 +- umap/static/umap/locale/ast.json | 15 +- umap/static/umap/locale/bg.js | 17 +- umap/static/umap/locale/bg.json | 17 +- umap/static/umap/locale/ca.js | 17 +- umap/static/umap/locale/ca.json | 17 +- umap/static/umap/locale/cs_CZ.js | 30 +- umap/static/umap/locale/cs_CZ.json | 17 +- umap/static/umap/locale/da.js | 20 +- umap/static/umap/locale/da.json | 19 +- umap/static/umap/locale/de.js | 20 +- umap/static/umap/locale/de.json | 17 +- umap/static/umap/locale/el.js | 33 +- umap/static/umap/locale/el.json | 17 +- umap/static/umap/locale/en.js | 15 +- umap/static/umap/locale/en.json | 15 +- umap/static/umap/locale/en_US.json | 17 +- umap/static/umap/locale/es.js | 17 +- umap/static/umap/locale/es.json | 17 +- umap/static/umap/locale/et.js | 17 +- umap/static/umap/locale/et.json | 17 +- umap/static/umap/locale/fa_IR.js | 387 ++++++++++++++++++++++++ umap/static/umap/locale/fa_IR.json | 17 +- umap/static/umap/locale/fi.js | 20 +- umap/static/umap/locale/fi.json | 19 +- umap/static/umap/locale/fr.js | 23 +- umap/static/umap/locale/fr.json | 18 +- umap/static/umap/locale/gl.js | 20 +- umap/static/umap/locale/gl.json | 19 +- umap/static/umap/locale/he.js | 20 +- umap/static/umap/locale/he.json | 19 +- umap/static/umap/locale/hr.js | 15 +- umap/static/umap/locale/hr.json | 15 +- umap/static/umap/locale/hu.js | 20 +- umap/static/umap/locale/hu.json | 19 +- umap/static/umap/locale/id.js | 15 +- umap/static/umap/locale/id.json | 15 +- umap/static/umap/locale/is.js | 20 +- umap/static/umap/locale/is.json | 19 +- umap/static/umap/locale/it.js | 35 ++- umap/static/umap/locale/it.json | 17 +- umap/static/umap/locale/ja.js | 20 +- umap/static/umap/locale/ja.json | 19 +- umap/static/umap/locale/ko.js | 15 +- umap/static/umap/locale/ko.json | 15 +- umap/static/umap/locale/lt.js | 20 +- umap/static/umap/locale/lt.json | 19 +- umap/static/umap/locale/ms.js | 387 ++++++++++++++++++++++++ umap/static/umap/locale/ms.json | 17 +- umap/static/umap/locale/nl.js | 19 +- umap/static/umap/locale/nl.json | 17 +- umap/static/umap/locale/no.js | 18 +- umap/static/umap/locale/no.json | 17 +- umap/static/umap/locale/pl.js | 17 +- umap/static/umap/locale/pl.json | 17 +- umap/static/umap/locale/pl_PL.json | 18 +- umap/static/umap/locale/pt.js | 20 +- umap/static/umap/locale/pt.json | 19 +- umap/static/umap/locale/pt_BR.js | 22 +- umap/static/umap/locale/pt_BR.json | 21 +- umap/static/umap/locale/pt_PT.js | 20 +- umap/static/umap/locale/pt_PT.json | 19 +- umap/static/umap/locale/ro.js | 15 +- umap/static/umap/locale/ro.json | 15 +- umap/static/umap/locale/ru.js | 20 +- umap/static/umap/locale/ru.json | 19 +- umap/static/umap/locale/si_LK.js | 15 +- umap/static/umap/locale/si_LK.json | 15 +- umap/static/umap/locale/sk_SK.js | 20 +- umap/static/umap/locale/sk_SK.json | 19 +- umap/static/umap/locale/sl.js | 17 +- umap/static/umap/locale/sl.json | 17 +- umap/static/umap/locale/sr.js | 183 +++++------ umap/static/umap/locale/sr.json | 183 +++++------ umap/static/umap/locale/sv.js | 23 +- umap/static/umap/locale/sv.json | 17 +- umap/static/umap/locale/th_TH.js | 15 +- umap/static/umap/locale/th_TH.json | 15 +- umap/static/umap/locale/tr.js | 17 +- umap/static/umap/locale/tr.json | 17 +- umap/static/umap/locale/uk_UA.js | 32 +- umap/static/umap/locale/uk_UA.json | 31 +- umap/static/umap/locale/vi.js | 15 +- umap/static/umap/locale/vi.json | 15 +- umap/static/umap/locale/vi_VN.json | 15 +- umap/static/umap/locale/zh.js | 17 +- umap/static/umap/locale/zh.json | 17 +- umap/static/umap/locale/zh_CN.json | 15 +- umap/static/umap/locale/zh_TW.Big5.json | 15 +- umap/static/umap/locale/zh_TW.js | 20 +- umap/static/umap/locale/zh_TW.json | 19 +- umap/templates/umap/navigation.html | 2 +- 170 files changed, 3799 insertions(+), 2012 deletions(-) create mode 100644 umap/locale/fa_IR/LC_MESSAGES/django.mo create mode 100644 umap/locale/ms/LC_MESSAGES/django.mo create mode 100644 umap/static/umap/locale/fa_IR.js create mode 100644 umap/static/umap/locale/ms.js diff --git a/umap/locale/am_ET/LC_MESSAGES/django.mo b/umap/locale/am_ET/LC_MESSAGES/django.mo index 0fcf617496978365076cdc65dee8fd53f2c2704b..aa3847b45afbd51cdfdb8be0df4cb6d22c24a45b 100644 GIT binary patch delta 1481 zcmY+^U1-g59LMo5donwFurcQG7@Ivi58LdK;~|RLqKOGP(_%TNMYdS%P_jk}qqsnn zlG2)U;fA4Bl(|rHv9ueBPA*)yQ1bBp{P(B)I^X~6_xtUf-~ao2+C*?97@N#ZzG{>Z zu~0GHtX(GapqxrE<720J6yX5+@BudBBreAJsb-6?9=*5&=i)J(ffun1uVXomp~oy{ zU#Tph<0sC;f;6*P7{CJDfcpDhti(Q?jrWkB*c0SqV?30=I5uMfmtqNTpM#q*2lt`o zb{Nxmzx7hdqN5*|;RVzWMz9cHU>+uL1^&WZEKZ+FxE__rHq5|w%*Re72RnfYJcAmq zd!{pUyNq7mZ?~xQ;4|#ST1HW(50KrkQPc~bBOiOoLj%9XY<%zbe{uW2BTMT%w33-L z^!+8MaaN#KpbBGbp9QHfDXT|5wvLCs(24`o%-T>te4jaWHa_4M+RZFm2M%HdesL`z zt76(4U8Bh4?F#D5+;pADX8pCa`AkZRo{QxE^n#2KV3*Is?2V+m%Ejb2!eN~9Y@cmvCD65BAH6R7X+ zMJ3jcn&DlyJ&Y@9ze6RM%7JQOB{Ojs?cKaoi9Cu?(Tm>TDE@XG2x?n^VhLbDI)3#jik~<=;($BrJ+~r64w$e$-knhu}98nQ|D?uDD1P7w(5RD zYfpAD=U)n^&zUng7qJGlyFo&ysDV)78aTVJe`_kNy|bp;7!|JDeI!eb=dX$X N@QfzK$8)mM{{a3#h7te( delta 1538 zcmY+^OGs2v9LMp$>7)^Q;zYUNGUKp|oR;D>^x+d+iC=L6=1nx4j~mc~`!EYTF$McD4{u>U zzQ#1Oh*`4PTpFg}EL@ImT#LG~0cYcG)c=m57cb*<97OuEH^^ZhIB6hbxEd4bBpYjR z1~y?jc3_g8e~t^?cpj(XHC&ASs2iT+A{@m`OiVRfhFO?_)u@4QK@Fr8Cu10A;t5p$ zSMW3Tp!(~aL?WqgnP!j06olD0n9CN&e9o$)@(j5L_g|*4X6QK#{dpt z9wxH`8?YGl|Ffup-9XLsrBffqLh64|11w}?Z6c#(5iWMnaE7O9Afu=U{l=%5%R3}L zp$GffX^Hp@HQ*PH!$=Zs47K}zpf+(PovOVYHL*J6C)VC6CA;v{Nh-KdT)p>FI& zb#%x1{S`8BtGJwSl}Hs2p>3z498?kNNkvK57G@pdUj;o{Uz>75@7TYhscE5| zkB?P5Kd|2M^r%`)pDGky zyZ=fFwIxImQ9$U`P$?y}MysrDd{vb-|H*)6#1))EAoAmN%g@)hrJEqVB4Vs!Ncw0Do;my zOR%l6y={MUuqotO^6wj$I_lAruW4 diff --git a/umap/locale/am_ET/LC_MESSAGES/django.po b/umap/locale/am_ET/LC_MESSAGES/django.po index 54279c3a..99645061 100644 --- a/umap/locale/am_ET/LC_MESSAGES/django.po +++ b/umap/locale/am_ET/LC_MESSAGES/django.po @@ -8,9 +8,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Alazar Tekle , 2015\n" "Language-Team: Amharic (Ethiopia) (http://www.transifex.com/openstreetmap/umap/language/am_ET/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "ፈልግ" msgid "Secret edit link is %s" msgstr "የሚስጥር የማረሚያ መስመሩ %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "ሁሉም ማረም ይችላል" @@ -82,107 +82,107 @@ msgstr "በሚስጥር የመረሚያ መስመሩ ብቻ የሚታረም" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "ስም" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "ዝርዝሮች" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "ፈቃዱ በዝርዝር ከተቀመጠ ገፅ ጛር አገናኝ" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "የድረ-ገፅ አድራሻ ተምሳሌ በኦ.ኤስ.ኤም. የታይል ፎርማት" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "በማረሚያ ሳጥኑ ውስጥ የታይል ሌየሮቹ ቅደም ተከተል" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "አራሚዎች ብቻ ማረም ይችላሉ" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "ባለቤት ብቻ ማረም ይችላል" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "ሁሉም (የህዝብ)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "አድራሻው ያለው ሁሉ" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "አራሚዎች ብቻ" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "መገለጫ" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "መሀከል" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "ዙም" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "ጠቁም" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "በመጫን ላይ ያለውን ተጠቃሚ ጠቁም?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "የካርታውን ፈቃድ ከልስ" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "ፈቃድ" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "ባለቤት" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "አራሚዎች" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "ያለበትን ሁኔታ አርም" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "ያለበትን ሁኔታ አጋራ" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "ሁኔታዎች" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "ድቃይ" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "በመጫን ላይ አሳይ" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "ሌየሩ በመጫን ላይ አሳይ" @@ -276,7 +276,7 @@ msgstr "ካርታዎችን ተመልከት፣ ስሜትህን አነቃቃ!" msgid "You are logged in. Continuing..." msgstr "ገብተዋል። በመቀጠል ላይ ..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "በ" @@ -289,8 +289,8 @@ msgid "About" msgstr "ስለ" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "አስተያየት" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "" msgid "Not map found." msgstr "ካርታው አልተገኘም" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "ካርታውን አሳይ" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "ካርታዎ ተፈጥሯል! ይህንን ካርታ ከሌላ ኮምፒውተር ላይ ሆነው ለማረም ከፈለጉ የሚከተለውን አድራሻ ይጠቀሙ %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "እንኳን ደስ አለዎ ካርታዎ ተፈጥሯል!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "ካርታው ታድሷል!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "የካርታ አራሚዎች በትክክል ታድሰዋል!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "ካርታውን የሚሰርዘው ባለቤቱ ብቻ ነው።" @@ -372,6 +372,6 @@ msgstr "ካርታዎ ተዳቅሏል! ይህንን ካርታ ከሌላ ኮምፒ msgid "Congratulations, your map has been cloned!" msgstr "እንኳን ደስ አለዎ ካርታዎ ተዳቅሏል!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "ሌየሩ በትክክል ተሰርዟ" diff --git a/umap/locale/ar/LC_MESSAGES/django.mo b/umap/locale/ar/LC_MESSAGES/django.mo index bd7f04c06718ddd9b504a92b78c7fb6271e3e96d..d42f0a2f828ad44cfb439f5885802bfa63b950e6 100644 GIT binary patch delta 564 zcmXZXziU%b6u|M5ifw%PArd4KhumOkhZ^&e*umhSNDxF2rEZn-#6@W>q(NvAN=p=s z2!%iw7ZEf+2%7MWp}KSuTDp7g-_W`_Ir)8U-tu|po_l`Wz4Whi?`3Gc9}@X6A(9i3 z2WLbkaT70K6K8N24IW_zV~)sq%%O{A4C-Ete2>?NcQK6rFoCBcB1ueQ6mt<-KW==T zgJ94jH24N@Uj9%Ar<$9NIfkP_L(;NGW^y^%kCI~F}XTg>M3*+RkO zua;bQ#^rPFdMnlJT*Z67vglQpDtk%)9%QpbVau$wwG_Lc4!?Q2t8MB33& n-o7)`(bYeU{0TMw#44uRE42MgycPNn>KBRb delta 567 zcmY+<(MwZd7{~EvLTP8Z5ndQ3`D&pTYdULD4w1qTgu)wxZbXiGx+Zc5xA6uZV+8-8L2*QeU#x8V%Eqk$#Jb>L84@&Ox z;3pI!6qeE8C!E4MKEQKK;4oA7aS{Cmwr~{p@DP9E2 z9-4`G;@+c3jLUiEu5UyavTk~P&E3dk6Xs23)lDyF(yvnPO43aI7aymx$>dlnJMHy% z^>u{xo7Rnf(S|K*Q>&$?&V1*QEs`3g9p`l^9IV}KXJbFu0=;%q%XZUfL(5vxreAq) oi-ucXo8DRQA}~P95luy{8oyT$cr4q3R`sJP{q2c*w?dV`KYKxjt^fc4 diff --git a/umap/locale/bg/LC_MESSAGES/django.mo b/umap/locale/bg/LC_MESSAGES/django.mo index af77158c4c02a9b335a1f4736ac3d18039abbc58..f65965944072cb14f65109ae5f77cd3249a6b938 100644 GIT binary patch delta 1515 zcmYk+Sx8h-9LMp$%Zy7pE@him*R3gaY-XI)v}IZ-6Qd9kk`NLijKGIXf~d(J3WOH1 z?ZJX1D8!ggGxyd(- z*hwj%gc8jTVN)^{@x*1uVNa<_aRmK1jrHhpo2|x1T!kIz;3Zs!4>1+TungZ|InH8+ zS;U+avwUv&a5?V99BjuG*cJc%3i`Mn!X-F`yu*GXhs{#aC;NlyNFuFnK?e)54fF6k zX5&pvrhR+BiC!>_9(<0)IF5Q?28-}7E=DKK%!?u9mL0}iJc=5?X;jDha1q|drFb9J z&M5xCaV(;Jdz?Q1qDf>*>^(X-gQqZ+w{+tW;ARNO*_sr$#V7B8UIeiX~`JBBfjVU%GDwqXzM z#!pC_=4D;@t5u^0vIqTm0PkW?F7w~aiNnIK$CGjIpk`zOl>={4N%RF<(M<-1@d!5I zAnw3l*oZ+MVsh*(uEAccz#&w}-l2BQ*9a#YIdPF8N|Ji2mrQLlhPlolqcnnj$X~4u z)le5s;Yi$TY?V^3J66sw(N$CjuA`p6hidp4uEkfl4kO<J*b|RptjF0)C<~C z9qUBR$VFt3b{X~DAad9XD)QAPk^Wm9MGY>*W=`~enu~=)P3|%OgqKoDQG<$YlthYh zK#j9gVjrhXsKyr}i4&GOmXx};T@|4b>)W9SQ8e|WR&0BctFfsE20;6@oM;5q6y<n{b LlADaIUgW~i$WjWzO_5+NhM;I=g<%nx zRJ5ptNQ_YiE~Lm1LWKes8ES+eB+-Kig!=x*vBRAI=gxork9*I(cRm*N6nj4MnME6vi;jfvQRTd)ne#JVv7dr<>Mkl6=R#atZrU?qC+ zDjvi)ScJ*+rW_BT8$08ue;$q3oX}$VfwdUL@Z?d{`FmK5&rox}fH{~-@71AN^k6+| zk=@4QIE*#uU|#5hokni8cGQ5bB~X7Sjhme4#bG>xCz#-^=nFW7s!TX5PHQ0+wU{#T z7}lT%A7CBMVio3d@qRpq>gW(|!cp9g^IjV2Sqdvd+b9bQaWC?*OB@C%aTj{{UdPJP z2s)8ltrzv80i49&0ms=g+OAL5Elt%Jssry)_s^i->-|n6i$)N8D;u+sBG_S6Pg_vi z=nCoq4^bWKM^)qvGFW?ux^EWw*e?#OXN%`gh5q}4b^bqePl@)wLW@QZQ&f=JRtjx1 zMaUBV4yaRFMB17=$z5b6$-w;s0e^?3O03aV>kFZ^q3Kq*$Oyf^l!k*;=#NHQNR?3U z6XGM`iwlbVinQsq~u%xPo{sokXNEJwi^TAJ_W&|k31t0-H- zztYv*L2BD6GD+rI3yXCX o%9}6#q8zACWMRRsaA1 diff --git a/umap/locale/bg/LC_MESSAGES/django.po b/umap/locale/bg/LC_MESSAGES/django.po index c74657ff..caee1dc7 100644 --- a/umap/locale/bg/LC_MESSAGES/django.po +++ b/umap/locale/bg/LC_MESSAGES/django.po @@ -10,9 +10,9 @@ 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: 2021-05-20 21:06+0000\n" -"Last-Translator: Пламен\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Пламен, 2021\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" @@ -72,7 +72,7 @@ msgstr "Търсене" msgid "Secret edit link is %s" msgstr "Тайно редактиране на линк е %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Всеки може да редактира" @@ -84,107 +84,107 @@ msgstr "Само може да се редактира с тайно редак msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "име" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "детайли" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Линк към страницата с подробно описание за лиценза." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL шаблон, използван формат OSM плочи" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Поръчка на tilelayers в полето за редактиране" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Само редактори могат да редактират" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Само притежателят може да редактира" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "всеки (публично)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "всеки които има линк" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "само редакторите" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "описание" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "център" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "мащаб" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "локализирай" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Локализирай потребител при зареждане?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Избери лиценз за картата." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "лиценз" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "притежател" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "редактори" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "статус на редактиране" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "сподели статус" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "настройки" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Клониране на" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "покажи при зареждане" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Покажи този слой при зареждане" @@ -278,7 +278,7 @@ msgstr "Вдъхнови се, разгледай други карти " msgid "You are logged in. Continuing..." msgstr "В процес на включване. Продължение..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "от" @@ -291,8 +291,8 @@ msgid "About" msgstr "Относно" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Мнения" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -336,30 +336,30 @@ msgstr "" msgid "Not map found." msgstr "Няма такава карта." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Виж картата" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Вашата карта е създадена! Ако искате да редактирате тази карта от друг компютър, моля използвайте този линк : %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Поздравления, вашата карта е създадена!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Карта е актуализирана!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Редакторите на картата актуализират с успех!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Само собственикът може да изтрие картата." @@ -374,6 +374,6 @@ msgstr "Вашата карта е клонирана! Ако искате да msgid "Congratulations, your map has been cloned!" msgstr "Поздравления, вашата карта е клонирана!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Слоят е изтрит успешно." diff --git a/umap/locale/ca/LC_MESSAGES/django.mo b/umap/locale/ca/LC_MESSAGES/django.mo index bea61bedbe203820385571e142484d7a27884520..d85e505a1b16d5a2b5d228ecc8adc227101f5cb2 100644 GIT binary patch delta 1877 zcmYk-Sx8h-9LMp$qvg`#mYG(1%f`%^v6<0QM_bHRw-$todT1z&%4W(XBC3HTdZyl_z?VX(z@Q*0s6YxbsHeWa@e&>U-_N;c=H9dY&-k$JQeEPGUfNZo z>>w5pcRXfCv2hv~%J=DJ3-Jf4DLdWFiv<|O25i7?EWw+Yhc7T2$579IMF%r7%nETC z@|UnCu9Y;jpbz_TCJy0zyo>X21aom5i*VBYJUi1Yz`YOW;BI8B7DM{9e$>FvpawF4 zt8fSx(Z7A5Qb0pWmRSxKVj5PUUJyVHXa%a{bvPUMy6s1>jQf+Q_gu%tcpvleH7><3 z$e1m6#?;CbV=?_(B^52%2GmS<;UFHzQv8jYQ4yn{Y7WjtKWc!@=wK`A`ELA*=TQSW zHfyTm%Se-5M+a|VqMynLl@qv@X%*um)Jlw^Iv7XN!oHyfGJzV%r2Baa8?C+0 z)N@``hXK^qMcno_)O$L!S${3{9vZYq`%p{Ng?ccKC-F4udz09eV)h3YaUbQa>SzE1 zcme(R1e@?PDp@O7UTsZ>>jBhCoyueV9V(Y;P;xv#y>Jwl;uw~rhmF*LmZ5_yaS853 z`moce({mA(3%4g&HC{sH&~sEjpWOQ#zPy6_M39R1tPAPOdaxD;QMvFGnS_nu zMVvs*{0xU!GrEC#{w8Wm9-s#J27UMmHIZD_+mk{YM!2t{krhqYAu4*{1Zsrmu^;bY zAC@x;E$ubrUG^B2Jg+bn-@5njPy_jh+QJFcO8i3d+cNnvQF|e(y%ckF{=-zVXlO>w zr~~!lPPcs*>c#s}55{p2&!GmA#psxrZ6WkM<&6ppWy^^=-B4<#unvq6noJt~CkyXN zu7Z1;WRrWd7B>-5-JUZqso6p$5BOFwT5UVLWKS~RT26j)5%B{ z?{Hpvs%N+)vn9Q;IuHs4!eJ*=6A1==K}uFzw6`zN*%OWRc1Qc-JrSoR9*sHe@mOCp a_UxA52?s+pelGRHS90=GhwtYPWc&rxjG2-E delta 1909 zcmYk+OGs2v9LMqFBOT4sMlE~UWND_3jixn@J;%~~l%iZk-fCvA6?wmXKJpSi@=d$~mJNV5W-EV01 z#3JHpq%nuFW(NOgNwLN(#yP02RhWsz=)yf%isvyMU!xs=U?ToOJs)o~#(~*54=a(s zpz-rRhmKav#ePh{m$(q$V;YX(9E^$!J!n#KKA+Q3-*clAeVBr$Fb1z9YcO|E8yG|_ zXb9Iczj?#OQaWt$#-w5nCgCQG#$BiZ8c++{i<Bbb3-Fd6^i z3bfCh+JFZWnctLgu>k8)scT2=_$2n>EnI>b%&r}IkuFn-b8$Cnfd|on0o3#TIEIf= z3%NOKYU1Zeml?sJgNu(`bmKT4!4|fq1${?lViGk$0tZTYm=x4P=Ajmnj=GJV)zdMoqYoH!Fl=|&yhF-Fw_ zZle?LVIF?O&G-*hw3|ts0sw;Fja0pc#?@$B&!WB4__`6R&< zqMq}jo~u9|RRe0mW>jsQL)LEY;%a<`s->T(d4h3#OC3d6j6T$vo<-&~*KjR9Le<15 zvI+ASFQT27Ss55W?dTQi`M0Q}`HWiNAI!x#(yfgYV`K#9U(1Dujyigk+6$-$ZlPBA z5WDdc2C#}%D77z;G0j(04NYJaPFkP;p%xOukAsfVj>^OWq|S{q)X({sS~totltR=Q zHludbi5mE*)qesta35;GE7*sFsDYUR0r}NVgE-ri^VQs)$OWlvqV*Ln{ewM1{VC(6QDLYC%=Cb{lR=c?nTy zb?ALp#fBTl9(tv;)9pl&bwj`XO0$}d#Z9OXRRe0O8J&M7QB7h;SH-#`_s-tFmatMx(0Q9x{)ev@k#LHU?nR=?gL{Z1q(uba3iBf^b0BUB*K z!@px}k+$-trv3Z;jR%G&Y}K)OB~Dj~vtYHuRpKdj=elU|HU6%E)7R;5?>guYbaZ+g gt!*9c0e^eb@bRSNsQ9vuwkAGywsZ|&Nba@$2Z0`;rvLx| diff --git a/umap/locale/ca/LC_MESSAGES/django.po b/umap/locale/ca/LC_MESSAGES/django.po index 0423eab0..c5f3cc2f 100644 --- a/umap/locale/ca/LC_MESSAGES/django.po +++ b/umap/locale/ca/LC_MESSAGES/django.po @@ -4,14 +4,14 @@ # # Translators: # jmontane, 2014 -# jmontane, 2014,2019 +# Joan Montané, 2014,2019 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-09-13 09:58+0000\n" -"Last-Translator: jmontane\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Joan Montané, 2014,2019\n" "Language-Team: Catalan (http://www.transifex.com/openstreetmap/umap/language/ca/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Cerca" msgid "Secret edit link is %s" msgstr "L'enllaç d'edició secret és %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Tothom pot editar" @@ -83,107 +83,107 @@ msgstr "Només es pot editar amb l'enllaç d'edició secret" msgid "Site is readonly for maintenance" msgstr "El lloc és en mode lectura per manteniment" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nom" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalls" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Enllaç a una pàgina on es detalla la llicència." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "La plantilla de l'URL usa el format de tesel·les de l'OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordre de les capes de tessel·les al quadre d'edició" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Només els editors poden editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Només el propietari pot editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "tothom (públic)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "qualsevol amb l'enllaç" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "només els editors" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "blocat" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descripció" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centre" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "escala" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "ubica" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Voleu ubicar l'usuari en carregar?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Trieu la llicència del mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "llicència" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "propietari" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editors" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "edita l'estat" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "comparteix l'estat" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "paràmetres" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clon de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostra en carregar" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Mostra aquesta capa en carregar." @@ -277,7 +277,7 @@ msgstr "Inspireu-vos, exploreu mapes" msgid "You are logged in. Continuing..." msgstr "Heu iniciat sessió. S'està continuant..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "per" @@ -290,8 +290,8 @@ msgid "About" msgstr "Quant a" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Comentaris" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "S'ha canviat la contrasenya." msgid "Not map found." msgstr "No s'ha trobat el mapa" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Mostra el mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "S'ha creat el vostre mapa! Si voleu editar aquest mapa en un altre ordinador, useu aquest enllaç: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Enhorabona, s'ha creat el vostre mapa!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "S'ha actualitzat el mapa!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "S'han actualitzat els editors del mapa correctament!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Només el propietari pot suprimir el mapa." @@ -373,6 +373,6 @@ msgstr "S'ha clonat el vostre mapa! Si voleu editar aquest mapa en un altre ordi msgid "Congratulations, your map has been cloned!" msgstr "Enhorabona, s'ha clonat el vostre mapa!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "S'ha suprimit la capa correctament." diff --git a/umap/locale/cs_CZ/LC_MESSAGES/django.mo b/umap/locale/cs_CZ/LC_MESSAGES/django.mo index b36ef2541823f47f074a461a0a1de025188848ec..4401c1530cf1d2a4e510619a67422b0d7a3d53a9 100644 GIT binary patch delta 1908 zcmXxlSx8h-9LMp$j-|FuX`9+|v!+EIn;EroskFsPZL=PVBAUWNnzURZ#2O-`mmY#P zie7|@0;y=CXnBZ0S{^H-1?oY97Kj#Xd+Pg}xgGr9&%I~n-gD0X{O{OXdZIM?HY4Sv z(dvl_L{GBWZmbx@f%bK<*+l$?>hh+V`EU#dupG-Vf|KwPX5d5g;%n6XpU}ayG_!Fy z3;By$6~{a}YA_$$aTs=E4qn0W_yk8`KW5>8`?)vW%+GZ`j>e71T&)Qi)7nuJKY*IZ zVVsZMIEC@;9VcVxNE%``631Z*&O|-HkD5>kYT!jU0yn$;yKpMk`%%w1hq-tiGqDe6 z;74T6Hfm@hGufEU_?E|sQnnPe(hYb7_u^#ygIZA*v*6Sm9E%002`)wlYf<+{@Dp~S zCbDOEV&LOQmz_fgFJrWwlP8?)!%CKwjki#lc#0aJA1Mp_jGD+7)IUXT6vFE7hCm&>n3?rDzB0#%A1)ov7~(;L9Ylzo=q;##8m6 zub79wump2SXDx0(73q0YhWj|MR{Mau|7QmIcR0ypqm;U0)I?U|OkC&Mi7eJGptj@& z7UFYMHG8N$eLn|PWJ|CZx1qM+H0u64sD(XtuU|ynFTBSpK1id2f>?tpwoYWRb_zAI zi%7j%4=U9+Q4@cF`raGV0H1Ld{>EvTOTkRXWvB@@p)wFX%84F)8Fk}T_Y3z>D|?Nq ziSKw6htsL|{46Tpn);@4ydaG3MohH_3dcS_z;gQi@tgC29iI$N*N4TJcV#Jgm#@KaH7s|9d!5 zwcbai_7UoVPu=TRr~&&?5B!3M&_n*Tr(MXxYz3i#wK_EtX0wTTx}X&&uvJ(_kSI%G z{CMM;@rSvWahACkl~_&G5OWAsdMObi785=~6I0U`PA8N}6{?C-6|c6M&@Z2wKY>NH z(j|m4P(r9!)Rfwl#3G`eP}4rE7SvR%D!4Voazaf7w}7Z1lrc5cfVOQdp*rvodL`?K zDcXOf{D0Grj@nW}dqxSwTLDMyEwvM`+PU%G#6KR#J^zpPSdCZQ7813D-Y6BV3N)E0 zBI3;#%SiPk$0nuMq^>CP2ZR1l$O#sg1p@g2+K{?%Yny+4OSq{u5^ig5DRZhK4ZYn? zbz?XZb}Duhh9eEF!OGT#j;8SL!tEUk3Y<_NR1~{5^0+6qcJ#c|Va?lG!X1rm&Ys>g Ljj>}nB}xAPbET}> delta 1953 zcmX}sT}+c#9LMp)i&85}L7YysJm^#`D-=hk1w{s;yp4^a#zZqyphktYSPD_p6pThq zNW2(iY!^#NbXR5;5~JeV_gA0pg#Yt7J?(Q|{^uM< z1Ji-{y}ZmZLun_L6O-x29LAP8JSeU#V^&};s;LZDqaS^^2di)d-FO}I@Ndk)m#Fuh z4r44V#wFN@{KZX>r-z0^Sb}4ijaRV%Z{bpWfVr44FZrTbj34sZjr!e2^x_W8$CEf0 zzeDC=enc(cC)9*4;bz7+zfvip!QnJ!F?!I2HJFKQs1A0aCiXRI;BH)qr|tGpT*c=J zR6o5ne}#it=-;=8gLhC3p?%h{v7hJj!w{^RG&ia(K%$h&3V*|<9GxwqJHOQ zR(I1#H|o&N(yRJeO8Pulh<L=$EUZGMZZB#g{aB30 zY%iep{3dEkX0Q}rp-y!PCr=&Mq26ml9kxNNz;V=8+(h;BU!00o_||U7=H%!H1^5|O zV>u3?4&7xW3FZcBf-}hZHGiVE;vduko}+%3%K=gUMYs-2@gv-gYcPI-ie`8Lm5FPp zj_;#h{LB9SF=~Y_9y%MvID&Pkdw(0X1^*(+Fwan#aWWfCEPy3gk6PeiEKFnnN2#o( zVUp#M1T%wL=_4MxPV*Vg}8tl(0boX_p+Uy3M z122)Syw*^uBT_|&N_RLj@o=sq-LWkc>got~b|;=XnzI@LUf%|9xz8&1Rr&)ZK8mv? z*cbEehz7%bJ;7KcT4}|ip>S7UZzL8AMXgPTN_!(+2O`l>XZO*Xfk;pIXldtQb>gh+ l+l&RR!QO+@6S0sL{$=8u#IpQAR#rzeIB11~iG2nBw0BHOvey6r diff --git a/umap/locale/cs_CZ/LC_MESSAGES/django.po b/umap/locale/cs_CZ/LC_MESSAGES/django.po index 546c3ea4..db24740a 100644 --- a/umap/locale/cs_CZ/LC_MESSAGES/django.po +++ b/umap/locale/cs_CZ/LC_MESSAGES/django.po @@ -14,7 +14,7 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" "Last-Translator: Aleš Fiala , 2023\n" "Language-Team: Czech (Czech Republic) (http://www.transifex.com/openstreetmap/umap/language/cs_CZ/)\n" @@ -76,7 +76,7 @@ msgstr "Hledej" msgid "Secret edit link is %s" msgstr "Tajný odkaz umožňující úpravu mapy je %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Kdokoli může editovat" @@ -88,107 +88,107 @@ msgstr "Lze upravovat jen pomocí tajného odkazu" msgid "Site is readonly for maintenance" msgstr "Stránka je jen ke čtení kvůli údržbě" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "název" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "podrobnosti" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Odkaz na stránku s podrobnějším popisem licence." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Vzor URL ve formátu pro dlaždice OSM " -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Pořadí vrstev při editaci" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Jen přispěvovatelé mohou editovat" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Jen vlastník může editovat" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "kdokoli (veřejná)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "kdokoli kdo má odkaz" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "jen připěvovatelé" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "blokováno" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "popis" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "střed" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "přiblížení" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "lokalizuj" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Najdi poluhu uživatele na startu?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Vyberte si licenci mapy." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licence" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "vlastník" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "přispěvovatelé" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "kdo může provádět úpravy" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "nastavení sdílení" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "nastavení" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kopie" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "zobrazit při startu" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Zobrazit tuto vrstvu na startu." @@ -282,7 +282,7 @@ msgstr "Inspirujte se, koukněte na mapy jiných" msgid "You are logged in. Continuing..." msgstr "Jste přihlášeni. Jedeme dál ..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr ", autor:" @@ -295,8 +295,8 @@ msgid "About" msgstr "O uMap" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Napište nám" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -340,30 +340,30 @@ msgstr "Vaše heslo bylo změněno." msgid "Not map found." msgstr "Mapa nenalezena" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Prohlídnout si tuto mapu" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Vaše mapa byla vytvořena! Pokud chcete upravovat tuto mapu z jiného počítače, použijte tento odkaz: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Gratulujeme, vaše mapa byla vytvořena!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Mapa byla aktualizována!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Seznam přispěvovatelů byl úspěšně upraven!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Jen vlastník může vymzat tuto mapu." @@ -378,6 +378,6 @@ msgstr "Byla vytvořena kopie mapy! Pokud chcete upravovat tuto mapu z jiného p msgid "Congratulations, your map has been cloned!" msgstr "Gratulujeme, byla vytvořena kopie mapy!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Vrstva úspěšně vymazána." diff --git a/umap/locale/da/LC_MESSAGES/django.mo b/umap/locale/da/LC_MESSAGES/django.mo index d338c5c99c18afc9d18583b3e144ed41ff633365..af28c911a4c91ac4afe21f34214de1cf09a26cf9 100644 GIT binary patch delta 1852 zcmYk+OKeP09LMqhRI4r3$Fx*i>UvB|+hJzb0me9=Qn-kA*}; zB2u9t+9r*KNw6ak5f&E2BNDafLcLjxq&9qiw^!n1{_{Ea+?n(EpL1`r?nRwD6imHn zl#RqRVlc&QFV?5=Mfow_Y&!l#HRYt6g>W)Pa0xEKPAtWK4B}(V!MCXYe?kW{GRz8b z9`bRmiSG&;)?g)eVHWmc3Esk~_!RSS7>h9J-_OZ33v*qG1-KQNtL;O^v@X=dkD(@V z0+(Vh&SZRhPh~OoJ?P*7x?NPBQaOZ;EUOsrqB8LuHNY@(EbKFCBHvIGN&5E#Y_#?|lP|Rw zq5c;_4H!mkUEFVPL-n&Mhx{wm+i1`p?LehyC+d&;u^W$~ewV~k0khxeaDAL!HL>fs z0B>RxUtuF=kXB`|6}2_Hkz3}XGI%~n{v9g)G-$7$Alqc`P={p%)xmgfYGq}pQyxQ| z;to`YyZ!bf{`F(Yu(c#83?8fhS z7<0e;!0u-QAbn|i-{P~Oz3sYG4P6>nleI%PHEN|(BxIt6MFNhXzx{At$YQc(^yN) zAyky&b;NRFBcY;nvS_a~@vVcofmrRe@J`2NL_MLWNTrhCNLdFlix@{lh&E!T_FpOg zSF|rGErj-5uUnNWLhlETgm;=3qKY0dN0tAI_F6?xLj$pv&_UE=JD<>*sV2M(B|TB&VqxvOqvnP!=J>7u4R6oHjQ7EzETK`cqpg|G*e ztf=Urf|3Xff)K)>=mI^|lLb;j1in;sfeNDUZ=0>b|98W5no$KZWU6rzHlY&SgAN`*eZLpS z@HQ%u^ArC*cn}#fk1*`ec}b@ozu-aK#k7>rTT~@}p&pRTg0ekK1}c%ss6?_*=Y7bZ z3EJ@rJH8I}z-H7EZnxv@ZtAZa9brJFK89MOQ^<0gv#2ljVFzAAU6(~xhhiu5{XQQ{cBQCn{f&%p*$paQ)X?ze2!aDuXz`0V&PkK^o6JB$9Je1x_O$$rz1(5 zLevAQP5qmRIX86})Z7+oDiPc0E&yQrk0oCdVt^XpT zkyu8Q68eSX{-%OZ_Nu@tBHC2)GNOj4CbZe~CTL=F3B6Sm(ySxcI;Me83+M8ovPYYb z&JrSM2UOA=+ZQaiSwW~mYl$L4O>cvCv>GdF78Ba(UP4W!pGW9_M=i0ODADhKAsvS( zCZbJc*V<{v<`D~sXwzPqA3d;ETD9Y~$=2B8C\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Neogeografen , 2013-2014,2020\n" "Language-Team: Danish (http://www.transifex.com/openstreetmap/umap/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -72,7 +72,7 @@ msgstr "Søg" msgid "Secret edit link is %s" msgstr "Hemmeligt redigeringslink er %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Alle kan redigere" @@ -84,107 +84,107 @@ msgstr "Er kun redigerbart med et hemmeligt link" msgid "Site is readonly for maintenance" msgstr "Webstedet er skrivebeskyttet pga. vedligeholdelse" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "navn" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detaljer" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link til en side hvor der er flere oplysninger om licensen." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL-skabelon i OSM flise-format" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Rækkefølge af flise-lag i redigeringsboksen" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Kun redaktører kan redigere" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Kun ejeren kan redigere" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "alle (offentlig)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "alle med et link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "kun redaktører " -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "blokeret" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "beskrivelse" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "center" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "lokaliser" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Lokaliser brugeren ved indlæsning?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Vælg kortlicensen." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licens" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "ejer" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "redaktører" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "redigeringsstatus" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "delingsstatus" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "indstillinger" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kloning af" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "vis ved indlæsning" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Vis dette lag ved indlæsning." @@ -278,7 +278,7 @@ msgstr "Bliv inspireret, gennemse kort" msgid "You are logged in. Continuing..." msgstr "Du er logget ind. Fortsætter..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "af" @@ -291,8 +291,8 @@ msgid "About" msgstr "Om" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Feedback" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -336,30 +336,30 @@ msgstr "Din adgangskode blev ændret." msgid "Not map found." msgstr "Ingen kort fundet." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Vis kortet" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Dit kort er oprettet! Hvis du ønsker at redigere kortet fra en anden computer, så brug følgende link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Tillykke, dit kort er oprettet!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Kortet blev opdateret!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Kortredaktører blev opdateret!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Kun ejeren kan slette kortet." @@ -374,6 +374,6 @@ msgstr "Dit kort er klonet! Hvis du ønsker at redigere kortet fra en anden comp msgid "Congratulations, your map has been cloned!" msgstr "Tillykke, dit kort er klonet!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Lag blev slettet." diff --git a/umap/locale/de/LC_MESSAGES/django.mo b/umap/locale/de/LC_MESSAGES/django.mo index b583620920d2dc766ea9dba1df71fa26c98606c1..c80ae02a76e397424bfc0374386bff0ddedf373f 100644 GIT binary patch delta 1842 zcmXxlOGs346vy%7BVU!{qfD*rYFWOkMlowd{J??A~c>B+heo? z#4_Shv{@T&p2r96SDe{${Eh1J#GB>gV)WrA+=Q)|g9Dg`uh4^^P|yEB2NM#^mS7?B z6S5jUi|E*i#Tdi|*oRB;F=pZ@rs5=K;k5gEPokNZ`(j*#hmp0~X=F|dq85H0wUCRr z1^Y0U`E7!W#dJg^nWf+ojKu=f0AAFB%25;7Vlp0e`&)1&_Z_HldNB{5Vmf}nHTWG_ zv!%|DWF{N4ncs@IP|E62J8i}**p4gkFKS0wtb$8(Fat|a3#>y2ccGqd#UFSHwUDz5 zBNKNcUDk^ZKEP0ri%~AlVKv*z#$i+@-k~O#M9RW`q82iRTFA8f`zQ`tXPwB0`m<2a z<)bF_qK>Z8?QcSjbI?QnmFgpO=!}k|Qgjma;2G?|F4W&mV|$d@Kh(}z8CB2S#8T|R z0KUX#{DW(7AL-T6bf7kN168c|)5yP4{G1L|Mfc@O`JtVmSGK2W)^e}xn9+UcG8V4_zWG)V^kGe9ja=Np)$~kTHpmF`*t05 zWWC6b4ZHnsa4q+rF&7t5Fhy93x<8CsSg4Z=rTht!EgL~iIErk-zM)>jS-gRnq)D0S zN1fqYqIEA+{#P+nH zR92xKuSKP@3S+PVRdh|L%rv8l?*wY%Hsmzz8uA9(J*0eW0MqsUk8q)#jG+d4k4p6f zYN9Ww9ZtE<;$`lW7+rsN8`+pO5_(?eu13PbN1!aIt&3oLu#zBA7R&tM#+c#Vxwm0< zxHr|fo!CjNCzQSlB0$s;`Z`ty)s%tNguakepgJloUTrU-Z$33|1Pf{B+X$tsoX`=d z=?r%hwZs8JP4%E+Q>!7A#(hKsp;ky#5t|96TCJF%25mo~Lf4V`h$bRe=dTpcHNBf^ z^@Prx5(u{vKJ}hcJK;0k5bllq<8j>UIaI`II`gf>F2YafeJ>@V2~~c$4^!%524~X868;0^w3N{R delta 1881 zcmYM!Sx8h-9LMovV>(TyM8t%sgJcX>moJVco z5^6zRSjzn7A)N^fI9$%w%@$s2mwG)i?r|qZYUYeb|V)za2l| z71Tn`3>%pEE;3|#G2)~1giaHF!d$in{SM?#7F#-(|3>a2)AI?d&K| z)qU4+8s0_=-{VU3lGYsDi8`8dsEu9qkbhNe4+Bc^YgBc{abTKwH2N_cCu2SGF?;Om z!>Idip&tAkweXLai(gT1m7j{#0_Nci+=`T)xe&2CowhenJGzfye1kr$wXzP>4qhPHGw)CnenmE8 z(nyb9H$NW1N>qlPqK@(xQbxu>1^O@*^*jp;u>_ToMjR2x`M1&0N-ncK?c^!4Y4Zvv z;TJrHUbfYSou~zsvI^~ZH7b>x(SePqqTG#oUNfpV+fWmqK~CA+M3>(Gemc~Zd4}5I zJJe3Tp&s-HmFl6~t%=;I9eQp3c!28y)bH*gwHciZ{xvO5t$?T}s)+f_A5G6zPCYF^ecASVQz&%TdRo3{(=arcBHsYKUs0gwT1b$|n;L}@ zIzA$wh&82IsaIj?wV6i5nqIf5u?yRIwmMh6b_?w57$G{8ky&C7=(vMKlJZ(cr-Fzz zy*4`E`0kGh&Oy$qjT<+tTf08o{n=TQm~4fDxw%0r&u4{-t%BpV?)>gncZK8sulk2S Ga{dKLg_^4X diff --git a/umap/locale/de/LC_MESSAGES/django.po b/umap/locale/de/LC_MESSAGES/django.po index 59eb3d62..7521b03e 100644 --- a/umap/locale/de/LC_MESSAGES/django.po +++ b/umap/locale/de/LC_MESSAGES/django.po @@ -14,9 +14,9 @@ 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-11-24 20:26+0000\n" -"Last-Translator: Christopher \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Christopher , 2020\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" @@ -76,7 +76,7 @@ msgstr "Suchen" msgid "Secret edit link is %s" msgstr "Geheimer Bearbeitungslink ist %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Jeder kann bearbeiten" @@ -88,107 +88,107 @@ msgstr "Nur mit geheimem Bearbeitungslink zu bearbeiten" msgid "Site is readonly for maintenance" msgstr "Die Seite ist wegen Wartungsarbeiten im Nur-Lesen-Modus." -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "Name" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "Details" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Verlinke auf eine Seite mit der Lizenz." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Das URL-Template nutzt das OSM Tile Format" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Reihenfolge der Karten-Ebenen in der Bearbeiten-Box" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Nur Bearbeiter können bearbeiten" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Nur der Ersteller kann bearbeiten" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "Jeder (Öffentlich)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "Jeder mit Link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "Nur Bearbeiter " -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "blockiert" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "Beschreibung" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "Mittelpunkt" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "Zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "lokalisiere" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Standort des Benutzers beim Seitenaufruf bestimmen?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Kartenlizenz auswählen" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "Lizenz" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "Ersteller" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "Bearbeiter" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "Bearbeitungsstatus" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "Teilen-Status" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "Einstellungen" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Duplikat von" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "Beim Seitenaufruf einblenden" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Diese Ebene beim Seitenaufruf einblenden." @@ -282,7 +282,7 @@ msgstr "Lass dich inspirieren, schau dir diese Karten an." msgid "You are logged in. Continuing..." msgstr "Du bist eingeloggt. Weiterleitung..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "von" @@ -295,8 +295,8 @@ msgid "About" msgstr "Über" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Feedback" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -340,30 +340,30 @@ msgstr "Ihr Passwort wurde geändert." msgid "Not map found." msgstr "Keine Karte gefunden." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Diese Karte anzeigen" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Deine Karte wurde erstellt! Wenn du diese Karte von einem anderen Computer aus bearbeiten möchtest, benutze bitte diesen Link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Glückwunsch, deine Karte wurde erstellt!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Karte wurde aktualisiert!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Bearbeiter erfolgreich geändert" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Nur der Ersteller kann die Karte löschen." @@ -378,6 +378,6 @@ msgstr "Deine Karte wurde kopiert! Wenn du diese Karte von einem anderen Compute msgid "Congratulations, your map has been cloned!" msgstr "Glückwunsch, deine Karte wurde kopiert!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Ebene erfolgreich gelöscht." diff --git a/umap/locale/el/LC_MESSAGES/django.mo b/umap/locale/el/LC_MESSAGES/django.mo index ad856ba47b86afd401a1ba0afb86c3824492d3b9..b7f8c0aba8a35491ce9b297d76adebc522f7fd52 100644 GIT binary patch delta 2098 zcmYk+TWnNC9LMo#Y3apEOKS_Q(oWS}+F};8VyiYTCHgP|=RHIE;CC1|P*KT#DClG0tKs&ZnN|=NRMTz7`+B zok*;v59!kkqXHj61u}-scm^x!-`u27OhsC*F$K5;GjIi}0Us)$dQ`{jaS^_ps^5!G zaDM>R&MABxzr-T^0ju#Y60=$SP;zFA9>9aB z|IOn-nlXRlI_`UDl^Dz<_TxniVJ*|C0lkG=aSrRTh4om8L#X#ZE@J+-P?)7cyV%DL z(wcRn8XCbcUPUcM2@CuZuEFhi3|HVS+=n@=iyD3hU&ITj_w(5D3UnvZl-ZNIABj@v zqvALw@E=seF&45KbJ%g(bOA23WkRSmeidu*U2MZoP@C`$YJ_>L<7RBc9XN^+yn$WV z%+b<7q90MHq;MPcVm2QEy|5Oa!4GgPUd2UBeHv%z1?~$t?Ao-ipk`(ORsSJsq&IOl z&S5=nF2yUTO>_&j zSAIeT^hfG>7GJ5Sxwlx0+fdIBB4ai0W3kTvISL$2a~TQFe3!ca1+`XxqF&5fo@}TB zZ*w0)jWozQ5vRA0wEMMeN?I-jpg}3EPGUN+fz0Sl2K{?U5vj2U({rhtR@_W(C$AxE z-8BTd4YmA6U6211r0`CK ViF3=Fi&9|{qyqE0pD3>m{RbfwFUbG^ delta 2062 zcmYk+eN0t#9LMn=k6sYGfQSz%9+Utf@IryagCZ7%ASF*}ZLI@ZUASD9VADU`^#MvZ zsx_pnt!8tT71bCJtJ#P@++2U0v$eIgwYmOqGu_&1mTk5k-k-z4b#{OE^*g_N&+qB` z{hfuj8*QVzWs%b0UilxpCOC^tnK&mmTuoyG20TXdAs)KIS#GXbC+>a}8)NenF zo4J1v)z4+zgg@d+{09p$Yx&{=YB0$7W*3!p*n!%*C~Czg@MU}(H{vEn*NPgECew^L z*oB&41T7p!JwJgr@iWv!-b!B__!81&E@RB1@*S1Kcne>|Fw4?}enRcUU#J1n2q@`c zvQZORjhaX<>i1&gV=DaiM!&rcHDEU?guQ7n5)qq1o8Ct4UJWi?<3|HUwBz%a`y=l)2(F%RO$xCXDGa_MhW z&Lr}d(u6Wmzvtsttj7`@@P3bREU4%OGKqxITtSYixr)rq-0<&H3Km0^jp}#{s-rsm z4WCD?^hx5xJiR=CyH|o=t3oAX6Xg-c_cHx))TQKL0p1oX9Ceg>iY7>;yrd$zy*JoH zxO8dY9hBV^C2}oAtJU${LP?@%7uqPww|0uI7?bu^>)r9CB+|B4_zm&M&fmS1bUP`@ z6vg)eiY~(Iy#rKN7!^7tU>-%6PLp6FCjUy=jyfu@58 z5A@i*{nNh(b}!pgQC=F_R$5+eg{o^pRV5*=)K+_FxU}<-9UY3;!-I!vto?R08XmG* z?4f>pz>bCwa8uVG9*o$L@KD2Z19mu4);l<`efo69$)u{+ov)oKcf>v6%)2i+^UjPr z=8iaX?kQ)^IH#RU?s5Jw>yE0ya=vn=oG&f+`1r3`MHi0dEYI$0Z{^l|dc=K&KhL|P t, 2022\n" "Language-Team: Greek (http://www.transifex.com/openstreetmap/umap/language/el/)\n" @@ -75,7 +75,7 @@ msgstr "Αναζήτηση" msgid "Secret edit link is %s" msgstr "Ο μυστικός σύνδεσμος επεξεργασίας είναι %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Επεξεργασία από όλους" @@ -87,107 +87,107 @@ msgstr "Επεξεργάσιμο μόνο με μυστικό σύνδεσμο" msgid "Site is readonly for maintenance" msgstr "Λόγω συντήρησης, ο ιστότοπος είναι μόνο για ανάγνωση" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "Όνομα" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "Λεπτομέρειες" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Σύνδεσμος σελίδας Αναλυτικής Άδειας Χρήσης." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Πρότυπο URL που χρησιμοποιεί μορφοποίηση πλακιδίων OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Σειρά των υπόβαθρων στο πλαίσιο επεξεργασίας" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Μόνο οι συντάκτες μπορούν να κάνουν επεξεργασία" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Μόνο ο ιδιοκτήτης μπορεί να κάνει επεξεργασία" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "Όλοι (κοινό)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "Οποιοσδήποτε έχει τον σύνδεσμο" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "Μόνο συντάκτες" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "Αποκλεισμένο" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "Περιγραφή" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "Κέντρο" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "Εστίαση" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "Εντοπισμός θέσης" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Εντοπισμός θέσης χρήστη κατά την φόρτωση;" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Επιλογή άδειας χρήσης του χάρτη." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "Άδεια" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "Ιδιοκτήτης" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "Συντάκτες" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "Κατάσταση επεξεργασίας" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "Κατάσταση διαμοιρασμού" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "Ρυθμίσεις" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Κλώνος του" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "Εμφάνιση κατά την φόρτωση" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Εμφάνιση αυτού του επιπέδου κατά την φόρτωση." @@ -281,7 +281,7 @@ msgstr "Περιηγήσου και αναζήτησε την έμπνευση msgid "You are logged in. Continuing..." msgstr "Είστε συνδεδεμένοι. Συνέχεια..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "Από" @@ -294,8 +294,8 @@ msgid "About" msgstr "Σχετικά" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Ανατροφοδότηση" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -339,30 +339,30 @@ msgstr "Ο κωδικός πρόσβασης άλλαξε" msgid "Not map found." msgstr "Δεν βρέθηκε χάρτης." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Προβολή του χάρτη" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Ο χάρτης σας δημιουργήθηκε! Αν επιθυμείτε να τον επεξεργαστείτε από κάποιον άλλο υπολογιστή, παρακαλώ χρησιμοποιήστε αυτόν τον σύνδεσμο: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Συγχαρητήρια, ο χάρτης σας δημιουργήθηκε!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Ο χάρτης ενημερώθηκε!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Η ενημέρωση των συντακτών χάρτη ήταν επιτυχής!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Μονό ο ιδιοκτήτης μπορεί να διαγράψει αυτό τον χάρτη." @@ -377,6 +377,6 @@ msgstr "Ο χάρτης κλωνοποιήθηκε! Αν θέλετε να το msgid "Congratulations, your map has been cloned!" msgstr "Συγχαρητήρια ο χάρτης σας κλωνοποιήθηκε!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Το επίπεδο διαγράφηκε με επιτυχία." diff --git a/umap/locale/en/LC_MESSAGES/django.po b/umap/locale/en/LC_MESSAGES/django.po index 53a40edc..51b9e2ed 100644 --- a/umap/locale/en/LC_MESSAGES/django.po +++ b/umap/locale/en/LC_MESSAGES/django.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -21,9 +21,9 @@ msgstr "" #, python-format msgid "" "This is a demo instance, used for tests and pre-rolling releases. If you " -"need a stable instance, please use " -"%(stable_url)s. You can also host your own instance, it's open source!" +"need a stable instance, please use %(stable_url)s. You can also host your own " +"instance, it's open source!" msgstr "" #: tmp/framacarte/templates/umap/home.html:83 @@ -69,7 +69,7 @@ msgstr "" msgid "Secret edit link is %s" msgstr "" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "" @@ -81,107 +81,107 @@ msgstr "" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "" @@ -275,7 +275,7 @@ msgstr "" msgid "You are logged in. Continuing..." msgstr "" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "" @@ -288,7 +288,7 @@ msgid "About" msgstr "" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" +msgid "Help" msgstr "" #: umap/templates/umap/navigation.html:18 @@ -333,30 +333,30 @@ msgstr "" msgid "Not map found." msgstr "" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "" @@ -371,6 +371,6 @@ msgstr "" msgid "Congratulations, your map has been cloned!" msgstr "" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "" diff --git a/umap/locale/es/LC_MESSAGES/django.mo b/umap/locale/es/LC_MESSAGES/django.mo index d4d94fea4374e586c70ade82e51fabbc378c679b..29add12b1f2646f6d686f0ce26b34c81f1faf054 100644 GIT binary patch delta 1919 zcmXxlOKenC9LMp0U-lt(`k?e-g;TTz+D^T9rq5}|wjgK$0UKhpkf<91p)HhTpd^}E zVAHLpG11s)x&TTPNa#Y+T~``52BVUI!lDT;69i%d)-L$|?p#j#zn^o@%sr3)Id}TF zbEPwVvn=;ZqYM(Y#1GkKBiNJ2h4SzPvsdsDswt9hR*x0vVK;W;Fs{W}EW@8Lg4a>c z-$#c91!k4F3HeJ~Ki5VYwqp~fa23wr%Xk5+@CugVB39#4_<5wzEXsWouEr0Lx!Nc) zrln95{}eTmQ<%gVtYdt;MWupiJ>3j}xeg9DOM>@D$Qy)9COVrc+d|P&tl$EUN~8L}lVv)Buafv9P~U6M2A|$Wr)u z78|X-F65&2YSeS}r~#v>txJUMJ5l}YjgWt(dLIqiqmNK2I)Hlc2#(_?sP8S|pIK(h z=(xW|uk4;Z#n&;LG{!N8Z{h*eVf`MJv8$*pxrMfZ^orP=2pFQH@Fpm?cEo;CSZbS8d61A|ePz#+wjdM0lrIE@-9K`FGz$hn4 z4<1CNZW5J&uTd-hHf*0oO?)1;_kW-!^bfXU4$Ibr5~y*8(BTBOV)_gf?b!`vY`cSc zU_zoAhUIMC7udr6Y0^jkY5R?e zCU6^H!^e08E7>49i5l<;DkG~|t}+nE98988*^e4{0F~9i z@Beq<2bWPRS_u6aHL+h%1KdEp6^l5I|Drk?VRkIc1_*tB1EE3!gG1RF+-1_O>MlZC zOyVq;@qA8sSI6YYfdv5U|F+d}AsYwJ{$fd)cbp|tDp@^%MhH&^}g zsYEkaS}WG8q7}9g+5#1&@Eu|^p@XTSgT*ccrJrkr*h9P>v}E3xH>mdzMPXYLD*f*g z`Z3a$dBjelPW!LDd|s4Zm92z+t2qimY38cehO-l#g^r*#^N+`c_2+2MRdi^3i5-Mb z=4z*%1f_niEI%iEZf)T}ez6~q`hGMPbAD^W^QKZIhbo#~%=25DxwJ>QbWn?V zQ#VVlcE!8h(c#pwkB5_^E}3+`>vf(>xKUS^q|(qpt={=wQ1k_lFZg^RHn&jfXV3j# Hexl$R9G<38 delta 1904 zcmX}sTS!zv9LMp|w%p8eUF}|a)GlgiyQ{XFmozQQva8igAef1mq8S=O$WnA6hz~qPb#>S&9j$p*6T1^U;F`un^B#{`@66fJQ)B>B)!gkdCAsolM zsD)gfJvH$|WXKF-(4zC4P6vL+W7x>Hw4e{DOiZFCh~q#h50ivi$b8g7l2L!pLO#Z4 zkC)lwJ5UquM;&3EJ>C&d{`H_P29)Yks53f;9JjfMy0I5K@h0m3l3CUDDAJ7<*F!v& zQ#50^2ESr1rjX8!SdA*$UR1^gQAhI1P5!mh&kU$~9gM1&(os7q!A#tY8Q6weP#@}T zxs9rYA>?D;^QDDPpoNpDqgz5n`mhK!Pb=#GE(Gal$33VCuVNP7#69>73oxCE(v3B! z6n3F9aS^riZhQP1Y6JIBHSh$rurXYVzfcSEkOs{Y+(pNta~$*V3hGQpk-5z~)D07; ziQT-sB+D$re)OX<@d9;}-%uI)iFz9xtU}ir=*4{0^BOQQit|59Cx?N4@~8<$Pz!jA z%kUGn;%v@IcA+Nxg33rN+f@cKaT?~LGU-Q6T!Kn<73%r>kR+If@OY31(xJf38DuRc z6#fIR4QfXZYzI*b8%9kqih4URx_sLk*q;eXTO)YcL^i3(yf^M_Zr3)QL! z?b=UN6GcQZ!L!4KT87$%e!*1Pk*0}Dh^<5=QAp@b&;nJ!sxfVD2cctCZK(xU@D&^G zPJO8;))A^!HNEfp@rX3az-%CtneBvXMomYdtf+DHCP3)?QwcQ{;VMF};WlDDL172O z@2SN_J`rg;Po-L~+)5&ch%^d1xdCR-JzifoI09l=9~GBUgEfq2X&;*{4?I^{&9 zsW|u{G>(BUGn~=Riu(FP2W#t^27WlV#?0|~vORg(KELJj7UX&_Rk<23jkreLzC!Cr kbH~xz=HiSNE4A42W)8ee@J2h!TU**|>)Klf97&zdfBeCsCjbBd diff --git a/umap/locale/es/LC_MESSAGES/django.po b/umap/locale/es/LC_MESSAGES/django.po index df933983..7c919fce 100644 --- a/umap/locale/es/LC_MESSAGES/django.po +++ b/umap/locale/es/LC_MESSAGES/django.po @@ -12,15 +12,15 @@ 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-04-27 21:31+0000\n" -"Last-Translator: 3c4f354c26c2c190ba28f9c2666d7fdb_003e9d1 \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: 3c4f354c26c2c190ba28f9c2666d7fdb_003e9d1 , 2014,2016-2017,2020\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" "Content-Transfer-Encoding: 8bit\n" "Language: es\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"Plural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -74,7 +74,7 @@ msgstr "Buscar" msgid "Secret edit link is %s" msgstr "El enlace secreto de edición es %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Todos pueden editar" @@ -86,107 +86,107 @@ msgstr "Sólo puede editarse con el enlace secreto de edición" msgid "Site is readonly for maintenance" msgstr "El sitio está en sólo lectura por mantenimiento" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nombre" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalles" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Enlace a una página donde se detalla la licencia." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Plantilla URL usando el formato de teselas OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Orden de las capas de teselas en la caja de edición" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Solo los editores pueden editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Solo el propietario puede editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "todo el mundo (público)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "cualquiera que tenga el enlace" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "sólo editores" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "bloqueado" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descripción" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centrar" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "acercar/alejar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "ubicar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "¿Al cargar ubicar al usuario?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Elija la licencia del mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licencia" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "propietario" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editores" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "estado de la edición" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "compartir estado" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "ajustes" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clon de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostrar al cargar" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Mostrar esta capa al cargar." @@ -280,7 +280,7 @@ msgstr "Inspírate, navega por los mapas" msgid "You are logged in. Continuing..." msgstr "Has iniciado sesión. Continuando..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "por" @@ -293,8 +293,8 @@ msgid "About" msgstr "Acerca de" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Contacto" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -338,30 +338,30 @@ msgstr "Su contraseña fue guardada." msgid "Not map found." msgstr "No se encontraron mapas." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Ver el mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "¡Tu mapa ha sido creado! Si deseas editarlo desde otro ordenador, por favor usa este enlace: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "¡Enhorabuena! ¡Tu mapa ha sido creado!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "¡El mapa ha sido actualizado!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "¡Los editores del mapas han sido actualizados con éxito!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Sólo el propietario puede borrar el mapa." @@ -376,6 +376,6 @@ msgstr "¡Tu mapa ha sido clonado! Si quieres editar este mapa desde otro ordena msgid "Congratulations, your map has been cloned!" msgstr "¡Enhorabuena! ¡Tu mapa ha sido clonado!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Se eliminó la capa con éxito." diff --git a/umap/locale/et/LC_MESSAGES/django.mo b/umap/locale/et/LC_MESSAGES/django.mo index 1d989383e3d2a58dc5dc2935f96ca0d016c7629d..b22d9f9ba0d899e6efb158665766b8118645345f 100644 GIT binary patch delta 1747 zcmYk+OGs2v9LMp$nv+iBsN<`*V?OgyGoz_#mXEB|GTKB!5rGgANSo;;F%^ZIAaW`Q zsf7?NTtpd^L1e4QTto|9L>5GWiM=CR6n%fwU3Bn&KWEO|x#xfW=UlG@=GR81eG4ud zZ6~puxD;=82tA2hX!l)aD{vGwG=+uu3Imw1(5xP-a3vl_A6~#z976s64*Kyq=HM4h zGK*L;*HQ+2ScVPg!5&~2SqwbIG<=N<@H6TGKTrw%MosK?n|ZMSHC~DN*ob;gH?G1Hn1R=j-0U{0 zA`fsWj-!wH?HwJha31?HeUVu%UPY~B6#26;F4;JNO6)EAaTfJ^57}sm64|%3NLT%B6Gd_)a z&U;iv=TKYm6_x0G3ia0ya`ud=WjS^}{-*5eXAmzdhMg$}idy@N_sCq%VW zQ%3r?RY4RHYLx^@##$p+En96h(MC`iYa-T1=Mr-w`d9LQt8+fAb6krdLc6GfcMv)v z<%F6}g<1)rmv9YHO0*Dq7d8?qGzTR1k98}S5gQ1O=0@|=Q49RTf~ccWOKfw-c3^?i z*RJY_)DZO}k6oVlk;$YCmp52h5e!y@LjGV?T_6zs>CJVO`$K_HU?e+rHh#q8bG!Zm DMmdl^ delta 1769 zcmXxkSx8h-9LMqhxQuIKW95`>qh{II)HtnUX`5?V29?oE;YOJ)P+3XHL{Pm%FN1~< zBtdV{q7i{UMD$RB5DHO25=B%*(L+%WWqp6+?J)oQx%YVQJ?H%Y_xNi`PbfN;oz!i# zZNx0%N`hIt&XYON9=pwE;}cZZ2Q0)d7{VzjW~;FR=inL4#;cfx{ix?3q95O&4_&Ed z{Gv94V}Oo)EXFOEiJdqT&*OBwhF%;*em2Zu20lmK_YH%XnPxT>OOZKRJu;>>pcb$P zHK7(PV|+WyNgf>!a2meF$@mMCFfD!J1s>GIa!>;opa;vG{yHq+dN=AlU6_wCoPzgI z6Mu@z%qZqEzP;l_DH}(v)SF>;0RuP}`%xiYr>vUvA$>N48ejyKx-rL3 zsDZwtzL{}UZBr;LkU zV_ES{s5#aXN}`&kqCzbuRAIGcgsQ5xp3wBw0>mbQ6~y;NY3y~fFY4#&e+zT6+PPTa z7{aB5%BM`%5&HiVB-E-Vu!X2yxP&MsDv0^ST0$9C70ZblVi8eB6sb$~S1Xwy{{3jT zM2K3aZ!2m?si~a$_Er&V2JW~s6H=>MTU(kMo7)G5Qm48-;ZQIX35Fy7l2B<$I5y^) bJCK<5IU#*VE#(@Fnn9z^mXdgFgU22>uX!5PYY2fB*Z9sd2vx{3Y;N5K~PEGNtK)vis|x z?D!^l0DKAD4*nDPVep=9#(V($D0nY81gd`xls%sUHSb~Y7s1~to}UFj!Totq<9r8v z2)qV90R98`F!-+^CYulbT+YkKz>jgi6BJ)ZLHYUH-~#wO_;K(*LHY9_MsR5?_z`df zlzm4)3w|C{{}%W*I0wp(&M)Ni{vpUC^BvHFuYz6h2jDsIah#GpH$n06_n^lAA&4Z* zk3iY+Z=mdWr+9x4K~|jK&ySuz2&&%>Q1jJ5#ciy3ejL;|XF&1%Wl-_?3MhUiLG_Ek z^WfJ&wR;Cl?lI;k;9l-S235P4z-Pd#;3MF@kg5B}z)yp}4=T=o4Gw{CgZse;2+kNd z4%WaIL8vgdz|Vu<2cHBVKvZ0sFM)@^5PTYZ4V3=>3w#{hP4FKEp9en+ej9uWd<&Fc zI|-WbkplOFN4P%<&V#=PYWxq79MaP%5Q@z?5b2mXkS692K*f0pRJ*?brOST-6~CW? zn)g8(9R)p5^DKd%0)GS^1h>-(D$Q3w_3MDY1-=N1kG}#x4gMIs58ijtNW48tQp%p^ zLDh?|f#UVsp!oYs@D%vB#q&?l=oR`O2fx7c{~!s)=TV9U)R<>M%^QLL3@(9x2QDIh zjr%2=`}a*y_Wm&_9W4;>0Ytdp%{&FKBgOvM{{tR8RJ?uNzXc< z$j#wyiXX*J$K#yR-{&}glXEAh;<1-g@l*|#UpnOXCpo1D)eP~bSm-#(sd}eFan&I| zpWu8Sr!?^!oI1qE3C_cuilGj1Md;meh+oBEob$8p33VJi$hn_Wy3nzUQyeMY;_khi z%9Z1s&}S&Q{X?}zhqS8tjNIHY!msKAa&C0UH(Sr_GTa=Q_QEOOwr6d}OOlx=ZkCTK_ff9lWK-YibpXwuGNo<^Yc;BC*h!+3Vnt$N1|{l_R?<4O9L1h>5uIgp70@~p|)h&-87AT zFLiC*h4q}3PXtK^<8dNLaxZKY+E(N>>*i>C0wO(vl1zKC-=E$bJ?F=>GP2=?)^7%> zdCE_15GI`f>PPHEPOandxR|j?x6$yEWU||8&Dy5l^0B0DjtAjcn?{(@@!)!9+GiF= zXU>Jirly~ILCdv{8aQAjveL%SnB&nD6FZR3xaIDI7iv5S&NiYJ5lNgIK?54gx8gkN zIA+Iev!DS|f-v9}`n+?xx4!WTy*tk3h%vhz0trPkK{{Q!xZSl-3b+6jP4cJ6L*8{6 z12dx7Hz#IuwLR_640Kk#!TxYEh}%vA=IJO^dxX>t;qPRtIp}pVgjxl|n`ptMGs$nn z1V#^)Zf8xujjZnn&pi!Nt)Ay0a@H~*GimU_YZvpAaZ{1VeM*T@kpw~L`ng#r zqVs0F%%AeYHe7D?UljKxgNVe8OOwtA5!UqE5s!S29BSlgg=FIBT!01T3kneCxb%xE zyo|W4OMGfnkj|3biFei?adKd2c; z($`2^v-Q%BmQ!SIytBq@GzeE}PWxWmm@Xg>`{_*qlHhkF=5#O>O4X+W^v)v^wizh` zDj;nyz~s=QR+uyRV%y|QrxQwvAkJs~ZW}*YJLR7X)UfshmX6uIyZ1a&+q0*(cdy;^=-BSvyLNMIJMJZE z?M&>22^x>$F}w40)CgGDrULTk5Q}uMbA-No_s}$)>QVq|XMC?cX2)d)**0{H-otii zI!!xcqoXr3Gxb#C1(W{yIuae#&Wgi)!LUcL+%8$}U(c3$7kUeJ{ng(5?MvC}n0npd z;ru#XdJ8nUWV5T;&E8^mlgssajcT*kdl$1?w=Xf3+Ng5$7OPdUx`pk{Wh=dT>*l}a zq{gV%vz6`i;R^fsU9k>Uu|*?des--lcl(k$Ug!PQY(;JR+gpnq!2 zORri{Z`W6Qi})}Hxr5PeaF29uWXp0d56(4(>xMIwfm~=ejfGI&Z8WILF3Z(Bh8esm zO)!pFx$drwtkO7jKyjg!$x|A3f8B=~P z;oypN13TIBUbQ{~-|bz%Abi38#d@l}d;*gDEkVt1EH@7xZqODRRc=)R;lIN7eZ(uDE1>VxUH@K*3da zak=tjO+}}4T)e+5Da!ofAw%_R7n~Fm;&WNO%*Lmy3MG{HOG+7cRk?vIt|-fTFW^b} zUV+%civa~&cwZ_`A53M`#hvRUI?BNvUz=j)6eeOwdGd(L*jMPLS1xjSiuK#%A6KF} z*J!`@fHx#EZ|*2wmmP-$11nwKQ&obPYTYZ_^k-98(a;JG$=3QE!?Fqy8fAl#Dzlq~ z#}^e0)s|{bFx%DM1tLpB)S@6%U-JwO%W=wA8+pC!v@5Jp@@39t)(r^AQ|hu?aZqe!l+6sk%R2QguQo~U zWm&FBYkflku8_>b>{TSDc=R)bn>_t1d3KQz#WxtG@>NV4>%3@7kB)j$~iv6mBSx!LG4fq+XK`cj@s3D!l zZf%swC{UFG4XXZ&wwJXZbY{6^adn{xLTOL64L0Gb%o#7%MTPViQ7h!F2tda^0u}AMnC-1G!he#H#-zcZfJDjM^&zoii6 zoJn~sP?T$&TUKD4+_70ksnY3J6Vqd}CvJ>>-+t}mzZZsH+7ML}zz}hLjG(ccc_(gD zWLkGPT@=DoqqPsS_U-+$TzZQN6oOEZtq)bDncqFKFPxS82gnR2DpG z%9S+cbfRS))CiDKt>;zVD*|!c5Ly6rs{iY0vpt*GN%?@jlgf`OtLsE~4*0amL$D{nDT ik%X>L_t&qy_K~Hyp$d)%jH6BKGC?Ma>Rf~vO8*I;>@CI9O9*ePzx39xC%*GR_ zwVlOu-f#V!tmVd4+=|1fA3VVle1*9fIas=CX~IF&L=NH_?7;OHLFQmra2|(H z>igJ$ z6R2MLj_QG2W~qu*Vkw5ujgc(suN4e)P-z}uJx-!}VG-3_4$4u9UfhMpPy>vi2A)QJ z{{!y8Z`h8tEMGk{jM|cC$RnFUE$EYj`cp0Y!VT^D53IpVMlHe?EW=JzGhRmxIEGsB zTU5_1pemL}qfi_xKsBQqd1QMqi%Pbmm+LM%Sl=6sa#GF7BOJt89Kd#F!(40@HPg?i zEm}bB;ZM{`v@FIn2WmhU(nc0Q{XUdwmG06SbkjLl%?ex*)V!C9#{Suajb(>4#G@10J8x2KJ08h9lzDuwS24kWM6Nn%IWv|0hocn?eQ z4JMg|&75W%xsiEz`%$63 zk6wIK-D2iMu5+w7Win0Ouik-j|A{q!Y@NgqcDeH?fSdLHd5-#Bd46qv3 zW=p7r{zj$B$u^YBRMbW?ktwYRHD5haPPPyA{Nc#wy{PAF&qoHAQ7gV0xxRrEs@+6Q za0m6G8D!z+9nX%<2rDKV=xQ#ymZqlc*3nf(YWg9ngtY`!f@W4_D9MWRN{eBj_-G|+ zN}igwrg*DW(v^H_BfOkt?Ne2uroC6w^-obnSF-ds)l64n8|X@e8ar7|n&PjfZT{P~ zbCE}{pqJ4VFSQ+XH@)6k|5k_MqE<|=rR%p;NMC9B44NVrO0G)0ByvrDEq8Xr@ggdI zuit;F%h%mM+u}UpXsdO5s@$F$S4CA_rMJ{WOKA5Eh1{J%-{8=IFBAyYxkdtgzQL}* o;OQP;x8GI&-(^!z(C;tr2{z1rOUjRN9`X(NhC}|@)YP%KKbHE6uK)l5 diff --git a/umap/locale/fi/LC_MESSAGES/django.po b/umap/locale/fi/LC_MESSAGES/django.po index 4dd2ae5f..537f2aba 100644 --- a/umap/locale/fi/LC_MESSAGES/django.po +++ b/umap/locale/fi/LC_MESSAGES/django.po @@ -12,9 +12,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Jaakko Helleranta , 2013\n" "Language-Team: Finnish (http://www.transifex.com/openstreetmap/umap/language/fi/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -74,7 +74,7 @@ msgstr "Etsi" msgid "Secret edit link is %s" msgstr "Salainen muokkauslinkki on %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Kuka tahansa saa muokata" @@ -86,107 +86,107 @@ msgstr "Muokattavissa vain salaisella muokkauslinkillä" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nimi" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "tarkemmat tiedot" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Linkki sivulle, jossa lisenssi on määritetty yksityiskohtaisesti." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "OSM-karttatiiliformaattia mukaileva URL-sapluuna" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Taustakarttojen järjestys muokkauslaatikossa" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Vain julkaisijat saavat muokata" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Vain omistaja saa muokata" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "kaikille (julkinen)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "linkinhaltijoille" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "vain muokkaajille" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "kuvaus" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "keskitä" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoomaa" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "paikanna" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Paikanna käyttäjä sivua ladattaessa?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Valitse kartan lisenssi" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "lisenssi" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "omistaja" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "julkaisija" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "muokkaa tilaa" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "jaa status" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "asetukset" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kloonattu kartasta" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "näytä ladattaessa" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Näytä tämä kerros ladattaessa." @@ -280,7 +280,7 @@ msgstr "Inspiroidu selaamalla karttoja" msgid "You are logged in. Continuing..." msgstr "Sisäänkirjautumisesi onnistui. Jatketahan..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "taholta" @@ -293,8 +293,8 @@ msgid "About" msgstr "Tietoja" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Palaute" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -338,30 +338,30 @@ msgstr "" msgid "Not map found." msgstr "Karttaa ei löytynyt." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Katso karttaa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Karttasi on luotu! Jos haluat muokata tätä karttaa joltain muulta tietokoneelta, käytä tätä linkkiä: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Onneksi olkoon! Uusi karttasi on luotu!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Kartta on päivitetty!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Kartan toimittajat päivitetty onnistuneesti!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Vain kartan omistaja voi poistaa kartan." @@ -376,6 +376,6 @@ msgstr "Karttasi on kloonattu! Jos haluat muokata tätä karttaa joltain muulta msgid "Congratulations, your map has been cloned!" msgstr "Onneksi olkoon! Karttasi on kloonattu!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Kerros onnistuneesti poistettu. Pysyvästi." diff --git a/umap/locale/fr/LC_MESSAGES/django.mo b/umap/locale/fr/LC_MESSAGES/django.mo index 5e459fa2b3b7ccbce9b1dce24c042116da1988f4..8ab9f8889ed17910c6f5c3af078563f96bcce4fa 100644 GIT binary patch delta 1997 zcmYk-UrZcT6vy#1l$KIdSSl@0+g@6sz_PfrfXV`eg4hc9rwwWwo9I>%iOZi-)?k9! zMAK*+6aO^Eq~W1WeE`!mts7%ZeKXcrUm6pev`zJa_+b4LjUlGQ2fx4BG4Y18pF4MV z=H5B?%y6dt)AsBS<%J&@Z69$Dakjv096ML@LHlEk*=GC`HB?$;R*MxF#}4ekG;YBK zEXS|06tAPszl9Fht~J|;4ai^CcJbNBzyL-ugLmL*+=S<_5-(!}m#_+#!|zLr&0-u! z@oqeTtkouvIW2=)_-m+zyn$VK8f%!}exy^ufVa-93^!sS)}t;ELoKKcHE}QAg$Kj& zmvKACv#9IL<2L*R*W>rN1Aj)=Y>|?DW~#B8`K^(TQr3^U)BX4+9>%SB8+Aujtb(pN z+<;A}1@@uCLDczayoELbox8CY>+v|M=yIXoqRw9`C;#fKVWVoW0kwcZ zbU2I&%%C!|fco9%;rBOCMfwja^_5hh?$pOd?87KdpcZ-(bz>ie#}~46bis@GG~PrN zQyZ0}y+42~)?P(r;BBOi>^1yoI3Mb=`!;e+TgsPB`g%sh*_?z^bRHhZ3q zR`e?>MYqvmgafi{3DgO__y`^f$IqfN^#y9euh8K&RHjz28B0iuGL*!qXZ94I;z&2sD=E5y6|796aEhMcs(jpCHNs$qPFBba$`Yuw16FinkK!E z&^D;G=CQ{xNoa9}%pWx72wp1TVSp-Ft%rD+7$EK^R9NkV3bT*U>sYm*rUfd!%9ysT zp3qIHJx=J&rxwd&S*7kFLK$cyR4i&r@uNg9v5!zw`t^QL+eN58o*?!RY7N9rqLWaO zs;T;^McYg0NmFK3h(kn;_FpOfuc>g<`U$qYKi%NERk@2Ycd{>#%b$@Qb%TD!_%pW zBk9!4`H%2 zhnq@grc>#z`U%(7<>GE`&ILWc!F6+(NmCB>NUv3WdSw5$on%tQ~WYXKJEVl2h&SdE9!hqus+FEJCx zP`^)i8)IP+=3*1_iJKtb#dLg!B{+l`cpdZb9)5|h(SzeACVyyha2n@6)P0rc$2QEy zK1{IE*KCUgmF7~kCHU^X4@bYpU`7_+b*Q*i_80h>`1+kqN*4}O9DcK;Ea z%lR49b8g}se1uc*BNn1}(&rbb!c4|D%Q%>ht*F$6QE&V+{*K3S7S3UGy-@?wWtwm* zZbD5kgcin7zaPTaco{X3W0OA*d==?3H!*H;@PLDE{1r zqwe!Ds}>jOM!i{-r?QG>80+ygmf}-fiC)rLgxgTX_lxZbFZtI45_HIis9JcBnm`^4 zXJI~;;|f$pdQtZc*w-(jitsKnrg?>0f-(Di3Kdz*c>$K-denq}jB}tj{LStdL_PQ< zZoz968o7suVLU<|Dj=t+N&|$dT`h&s&TyJix0Fzd*Aj~eHU0N1YidfficQNjn^4nI zsqzbmHAF2@rT_nh99YC+!f8sg)=rhG>Q~`7Em?fdiR}to?Tj*Fm3{7@N~e6x2D?KA z>nAdl*Ln_?5l&-=B-cGP@pqa##ogG^vFqDl`<}#G_nHZX0e@+QzpTP4tE^hIu%wih z-W-g^{B4n7I2sDZx*}Cpbl>j5gIV`I<<-`{P, 2021\n" "Language-Team: French (http://www.transifex.com/openstreetmap/umap/language/fr/)\n" @@ -81,7 +81,7 @@ msgstr "Chercher" msgid "Secret edit link is %s" msgstr "Lien de modification secret : %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Tout le monde peut modifier" @@ -93,107 +93,107 @@ msgstr "Modifiable seulement avec le lien de modification secret" msgid "Site is readonly for maintenance" msgstr "Le site est en lecture seule pour maintenance." -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nom" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "détails" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Lien vers une page détaillant la licence." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modèle d'URL au format des tuiles OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordre des calques de tuiles dans le panneau de modification" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Seuls les éditeurs peuvent modifier" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Seul le créateur peut modifier" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "tout le monde (public)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "quiconque a le lien" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "seulement les modificateurs" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "Bloquée" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "description" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centre" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "géolocaliser" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Géolocaliser l'utilisateur au chargement ?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Choisir une licence pour la carte" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licence" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "créateur" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "éditeurs" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "statut de modification" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "qui a accès" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "réglages" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clone de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "afficher au chargement." -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Afficher ce calque au chargement." @@ -287,7 +287,7 @@ msgstr "Naviguer dans les cartes" msgid "You are logged in. Continuing..." msgstr "Vous êtes maintenant identifié. Merci de patienter..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "par" @@ -300,8 +300,8 @@ msgid "About" msgstr "À propos" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Donner votre avis" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -345,30 +345,30 @@ msgstr "Votre mot de passe a été modifié" msgid "Not map found." msgstr "Aucune carte trouvée." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Voir la carte" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Votre carte a été créée ! Si vous souhaitez la modifier depuis un autre ordinateur, veuillez utiliser ce lien : %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Félicitations, votre carte a bien été créée !" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "La carte a été mise à jour !" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Éditeurs de la carte mis à jour !" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Seul le créateur de la carte peut la supprimer." @@ -383,6 +383,6 @@ msgstr "Votre carte a été dupliquée ! Si vous souhaitez la modifier depuis un msgid "Congratulations, your map has been cloned!" msgstr "Votre carte a été dupliquée !" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Calque supprimé." diff --git a/umap/locale/gl/LC_MESSAGES/django.mo b/umap/locale/gl/LC_MESSAGES/django.mo index 19a76bd4be7d253d349372ab1b5b2fc30fe6eb21..db4d1d2188b7bebc34292380ef3110c1757b7ca9 100644 GIT binary patch delta 1864 zcmYk-OKeP09LMp0-_v>wEvogp#pq)?I@5(ObD%9V(Sg*1qb zG?GRnh*;=?g%B1b77`MhE=bhEBM~AMZ211}+=UbW`J8(?_niMd|8vKUx?i>K+uZak zM%zrxB<`e|9m1vzK4{-E&1T_u)KD0%rMG ziu`kJIiF<=v|<<&I39;^2HwT#_yQ;6C>G$D|My_FS%m8_PQmR+uGWpLX$e%~r%;KU z!NoX)MXYb{=uBlGCC6+M=3_dRpeBf*5~@Kh+>8@(mp^_G=W%@;HP0Z<#e0~CZ?G6Y zAvxRRamk%2#6s4$GCJC_m8d7(hUf4I&cWZPCn_Kdy5`_CEJr2Sf)1`j-QR_u@hmEl z!xNGVUq*&(5FNaQZi3DWI(@i|$1248sGWF?T3{487WM^|$X8S%WB%V$D70#w&4RAHI z(ZyQ4gK_+T^D)Nu>d~4Ju0DA)S1|W?U5v zN2r85$xfv@j~oNLgj!$-HQzJTTk#r|z)wu2ba|XmB{q#$i7L9bhK_2z4a2wx6L=AO zF^ep;h5f!)Q8j;nY4{XXvS+A;U!oElK^Cx4)Pw!-$20j+(RxA5)B8V@jwXnrCayyr zwr1be{@>%MiQ4fr?n5o`5qU6MODKV2LXC~G3ZhOIwCW_b0UHQ5#L`*cYs}$oqkrkK z+P_$atB6)&5ux(b6O}{@5h6GyUelAQJlcA_A*!*?i&`6@Up}=+5_2=@tRS=lHH2!Y zrY&4gG!vT%H4d|PCe&X}=;?K6*AQxYBbE?NL=K^*lIr|yBJ@V7WKlw|CvTSPZ8?3f z=|rooBvf;bfY-|T)alo+n+{Vgq1H$^>ipOAnyIN&ONn)a4xIjTT1e=JtcvhjXgD`3 zEp>Qyc57BeRU{URR8~5%>V{}E9Hr&NJC5~6+K+a0AM5Jq?K#@uZ0P9Qf1=!}jK=DR OFHR~-8-AE~An*@rm6UM+ delta 1881 zcmX}sTS${(9LMp;Lv9|*dFtF+2UDlk$~`ytC zC_Z97@i^L;V^}kdFN(uv%mPe7HLbu*EJP3P#kF_|o%jk<@f#-NAJp>+c4J(ajkC~; ze1fKtZ#NBxF&BF=35ReVzQNfzf+-jiAAZne;2f@2N9JH|qZV)< zHK7Ms#`xwnl|?kz6O73~H#)E!V{sR%gL>4&_M--F!5MhoYQKg{xW0qxXBZdbM@+*B z%)->f$pw^RGUJ;{Ds$0?+PYTMiqGH$yon2OF{5im6-blu;!NCwn&1(1VF&8@UL3)P zsEOQ|J~{9p(qx7)=%VtDN&rXkI5x8^P3SXfC&p0&B#}^#he=0GWEN^7PSo#iTeYFcKkz4U1)QzGB9!E{g#-D`xcc2#LLc8Ao0xBAC9g-g7 zMRl+b)v+IS=#E-;Sig6nIy!@=@fvD?43@{)46hQViYBL0MAQ=1#Ae11&rZ2k(P`DT z6%#&U9Z^QmcX<0NPzOglP(?(FwtNGzmGBa4i4}y-L=K^|qW^>)1V_p2CRBpT9e+$y zMY&!>tg>44zUvK$6w+-r5^=FUi1kFN{{IW8 zxQId`Qnc;LoepFcv7CsMg;eq)7nYkWl@6VyE!K4e4;7A&*=02-P5DHU_O+Z!B@rn) z-Fn4hLqFo|(e`S;|KNefrk2o{eVc9intV@DzNgT&vZ%D6_-c(~eyG*4C?>wPt+}=N NMX0qsbUE#?{XbLqn0^2N diff --git a/umap/locale/gl/LC_MESSAGES/django.po b/umap/locale/gl/LC_MESSAGES/django.po index dc776be8..14b2a1a4 100644 --- a/umap/locale/gl/LC_MESSAGES/django.po +++ b/umap/locale/gl/LC_MESSAGES/django.po @@ -11,9 +11,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-06-05 16:37+0000\n" -"Last-Translator: Navhy\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Navhy, 2019\n" "Language-Team: Galician (http://www.transifex.com/openstreetmap/umap/language/gl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -73,7 +73,7 @@ msgstr "Procurar" msgid "Secret edit link is %s" msgstr "A ligazón de edición secreta é %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Calquera pode editar" @@ -85,107 +85,107 @@ msgstr "Só pode editarse ca ligazón secreta de edición" msgid "Site is readonly for maintenance" msgstr "O sitio está só para o mantemento" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nome" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalles" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Ligazón a unha páxina web onde se detalla a licenza." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modelo de URL que usa o formato de teselas de OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Orde das capas base na caixa de edición" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Só os editores poden editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Só o dono pode editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "calquera (público)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "calquera que teña a ligazón" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "só editores" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "bloqueado" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descrición" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centrar" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "achegar/afastar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "localizar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Localizar o usuario na carga?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Escolle a licenza do mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licenza" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "dono" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editores" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "estado da edición" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "compartir o estado" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "axustes" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clon de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "amosar na carga" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Amosar esta capa na carga." @@ -279,7 +279,7 @@ msgstr "Inspírate e procura mapas" msgid "You are logged in. Continuing..." msgstr "Iniciaches a sesión. Estase a continuar..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "por" @@ -292,8 +292,8 @@ msgid "About" msgstr "Acerca de" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Opinións" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -337,30 +337,30 @@ msgstr "O seu contrasinal foi mudado." msgid "Not map found." msgstr "Non se atoparon mapas." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Ollar o mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "O teu mapa foi creado! Se desexas editar este mapa dende outra computadora, emprega esta ligazón: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Parabéns! O teu mapa foi creado!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "O mapa foi actualizado!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "O editores do mapa foron actualizados de xeito exitoso!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Só o seu dono pode eliminar o mapa." @@ -375,6 +375,6 @@ msgstr "O teu mapa foi clonado! Se desexas editar este mapa dende outra computad msgid "Congratulations, your map has been cloned!" msgstr "Parabéns! O teu mapa foi clonado!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "A capa foi eliminada de xeito exitoso." diff --git a/umap/locale/he/LC_MESSAGES/django.mo b/umap/locale/he/LC_MESSAGES/django.mo index 2883573bd58afcf0b35e34106a3fd5ca6991852b..521bf72fb7f183f9354bae4472e904e2c554188b 100644 GIT binary patch delta 1842 zcmYk-OKeP09LMp0AKFgQR;g-HQ}o?oX4-nRRkTX0^=d>23kgBu9f}Bs2o}VGNQ71* z5~)Tc%)&-kRvYn3)MJ69E1C$Qiz4CsyK^K?{O5D-na;WA{LlYh-|KqnBJVR3FBz?k zm_*!;H`|G|Blw_wO){H|-%vy8$z}zZg+Z*r8r*?-*oB$cgX#DV_5080$CMPaY%D?k zMQkCTr3@^^GHl0DcpWF=9h`uDI0gqW2Z!AE={~an*JU^k*CA`QUC2GH9kuYIsD+%w zd3YW3xxam&lf^(>s#ykRVcaP z86CUvMP$f2(2ut;(oUz3&H-G&wsP@4DibeJHyA+5!UjURaG8wOBESMA1IQS+=$C;v+IdIoex8&N6Rg8JcZJcLJ3e>a5vab`bp2G=i`m9Ce* zg^)oS=VBWk$8%VMqd5l^_iWUWtmb1TZW~MfXVbaNKp8$ql3~ByAEZ)I0j{f2JJ^Q$ z;bAPtZY;vr&OfMHD54Omumub81akb=<%~KXM(Ak5UR;jDsGT)&z&hiDd@!e-N2Tlr zY9Zau2dJGrMLkx7Zajet&6kDBz-Cm{pGPhD3C_aE4?0SD8I{APtrAr2HCrbtBT+a05p}~sR1udj*(#2%88v>DXPcvo*jqZ<(I>3HUw9K| zvaK7~kDB1{WV7jb1-0NusEj;z*UwN3dgB~GZQu)Pejjfq)zn1Pf{QU*&wri!Vhw77 zO{ikq<*xU+?~kD-I*Zq^6ZQACtd5OYGok8NdexLQ9qk-l&?;ki$5Kt7#9Jcw_Zpk_ zUMlX=V~M+1fQyNxgwCv#m`j9-212i6)rgvQSV*V{m9=6*1+BJ%nCJCkMXhc`DO^M( z6IFy#tfmw%BkGAZLQVCdl&a}*ApTB2-rig#O=XCGvIt zK05!JUOH-x1jpvRZgs7~())qhi#^AvRzvvJ`LF4S)Ohr5KG8yi2u{m;vh*TToq4Sw wnwgvsAI;M1& delta 1878 zcmX}teN4?!9LMofZn|>yq(r#gB5`wdyD3T~<*6hR*%*_wQD(E1{9_kmX3WF53mayp zjd|E)vtc%WB-uR7On=zqKbHBcY?jTuKeuz8_5HohIlue+o#$VD<-_H{FUgLOAvF*) zh)2=J?8n*|E~La*V`gF!swxk&u@L>Z6_?;?bmJ>b#&4K_qp0WOoW^)?E~a5M@)tBs zT)kAZVlIZzg)eYAzQw6Hgh@DVLijU|}lMj4!0PDD~XnWaPxQB5o%w2yRrwca{atW=l!9}(sMnF? zB~wfUY=zFd)<2T8_Bvvk>b1l|LW#kLzX8f?78euR`I&^0_L5GP{&%b)%83$v|Fy;* zqL7HB31swPnM-JM>I6g*vm4%6k+NK23mkKkPpr1(2!1l`LsM@nw9j;$U7FVlGF3z* zX)oyPJ9>VOcSbu`wzTZp+0@+DGvcg?jSu*J{(vt~li2QvxjhgX LIN$R(r8@2(9uu5- diff --git a/umap/locale/he/LC_MESSAGES/django.po b/umap/locale/he/LC_MESSAGES/django.po index 8e8a9c7d..90632730 100644 --- a/umap/locale/he/LC_MESSAGES/django.po +++ b/umap/locale/he/LC_MESSAGES/django.po @@ -8,9 +8,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: 2020-02-26 06:19+0000\n" -"Last-Translator: Yaron Shahrabani \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Yaron Shahrabani , 2020\n" "Language-Team: Hebrew (http://www.transifex.com/openstreetmap/umap/language/he/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "חיפוש" msgid "Secret edit link is %s" msgstr "קישור העריכה הסודי הוא %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "לכולם יש הרשאות לערוך" @@ -82,107 +82,107 @@ msgstr "רק למי שיש את קישור העריכה הסודי יכול לע msgid "Site is readonly for maintenance" msgstr "האתר הוא לקריאה בלבד לצורך תחזוקה" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "שם" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "פרטים" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "קישור לעמוד בו הרישיון מפורט." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "תבנית כתובת עם תבנית האריחים של OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "סדר שכבת האריחים בתיבת העריכה" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "רק עורכים יכולים לערוך" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "רק בעלים יכולים לערוך" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "כולם (ציבורי)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "לכל מי שיש את הקישור" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "עורכים בלבד" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "חסום" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "תיאור" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "מרכז" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "תקריב" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "איתור" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "לאתר משתמש עם הטעינה?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "נא לבחור את רישיון המפה." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "רישיון" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "בעלות" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "עורכים" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "מצב עריכה" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "מצב שיתוף" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "הגדרות" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "עותק של" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "הצגה עם הטעינה" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "הצגת השכבה הזאת עם הטעינה." @@ -276,7 +276,7 @@ msgstr "מפות שתענקנה לך השראה" msgid "You are logged in. Continuing..." msgstr "נכנסת למערכת. ממשיכים הלאה…" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "מאת" @@ -289,8 +289,8 @@ msgid "About" msgstr "על אודות" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "משוב" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "הססמה שלך הוחלפה." msgid "Not map found." msgstr "לא נמצאה מפה." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "הצגת המפה" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "המפה שלך נוצרה! אם מעניין אותן לערוך את המפה הזאת ממחשב אחר נא להשתמש בקישור הבא: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "ברכותינו, המפה שלך נוצרה!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "המפה עודכנה!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "עורכי המפה עודכנו בהצלחה!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "רק לבעלים יש אפשרות למחוק את המפה." @@ -372,6 +372,6 @@ msgstr "המפה שלך שוכפלה! אם מעניין אותך לערוך את msgid "Congratulations, your map has been cloned!" msgstr "ברכותינו, המפה שלך שוכפלה!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "השכבה נמחקה בהצלחה." diff --git a/umap/locale/hr/LC_MESSAGES/django.mo b/umap/locale/hr/LC_MESSAGES/django.mo index 886733fd47051e8b58dd32edf8e92ff9ec077525..90464cc5c9d50221541d4a454ff595e23785833f 100644 GIT binary patch delta 731 zcmXZaPe@cz6vy%Nrg5rCXVg+N4F*94Yhq?}HAooaN`hRp4qg$Vj`RF85d|@`Y*DLh zQ=8m~C`d3&3a$h<+RlX_h|tE|C`7aOP8;@{9CtPaO=;`WmMrWr~}kd2iSD^ZT#w0%yzg?fhu>Y z;2WefTR@#~1=ZL(HsLqa{RgN%*iKISs>y2%9a8nJSrefq z6ndX}61=Lgu!?jr^b{1=8A-+s28Rrr){{|mo)gY$Uf-3P(YK-I!?^c2cwV+bF(|$N z6nRkl6&dvkgXwHGoy(=NL-|bRR)&b*_vg#$hjV^uzUY^OxqNEOFHKGbso}}ck!REX aMDfm(VEXRuR4$VptW~40yjn8W=lut5t4-nn delta 782 zcmY+?zfV(97{>9pwN*f9ksno2OoJgtYfU92YNLil5)+4#@DCj7ZLH|M$!%kzOGh@N zL1V&1*qBIch>H%!37yzr=_Cw92XSNK`!vVFH=O%9=Unc6-}l`98Q9FUIzy@VMvOBq zGExb%tN05QZ<1zde2YE!0k7dI_TvvcgFF8I0bXGJ7f)jLgxM*~VG1w#^<~VMwXDEo zlpAH7zzPmy1NDL>JdLkWFIw^YYkq&-?{E6`7r)-}Zle&VL!EL3Co$BT{PvCs zM`0f^i(gR*w~;^Va8U<)s6+>-7apQINwcZ_3>SK^oL`Tj?oVJZ7EoVRb3Lz|%HMrR z9qGFbGR`s1GE_{Cq2GlnSEw@;r-Bsc89FUKcQ?ko>Ricnf(o6SPU~M#yCT#5@n}YI zX3O=Y>zNIL#|y5y*xpJ$NIbk#EKL_nxAHfq%Tu=tC8F<Sx{_cOvnOYnKH)`?y_FU>!Vx$tih+Q*u`FdE3;^(eff9l%b(^nG5dxBO` diff --git a/umap/locale/hr/LC_MESSAGES/django.po b/umap/locale/hr/LC_MESSAGES/django.po index fdcce38a..7eb163c6 100644 --- a/umap/locale/hr/LC_MESSAGES/django.po +++ b/umap/locale/hr/LC_MESSAGES/django.po @@ -9,9 +9,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Janjko , 2013\n" "Language-Team: Croatian (http://www.transifex.com/openstreetmap/umap/language/hr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Pretraživanje" msgid "Secret edit link is %s" msgstr "" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Svi mogu uređivati" @@ -83,107 +83,107 @@ msgstr "" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "ime" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalji" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Samo urednici mogu uređivati" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Samo vlasnik može uređivati" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "opis" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centar" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "uvećanje" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licenca" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "vlasnik" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "urednici" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "status uređivanja" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "postavke" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Duplikat od" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "" @@ -277,7 +277,7 @@ msgstr "" msgid "You are logged in. Continuing..." msgstr "" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "" @@ -290,8 +290,8 @@ msgid "About" msgstr "Više o" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Povratna informacija" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "" msgid "Not map found." msgstr "Karta nije nađena" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Samo vlasnik karte ju može obrisati." @@ -373,6 +373,6 @@ msgstr "" msgid "Congratulations, your map has been cloned!" msgstr "Karta je duplicirana." -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Sloj obrisan." diff --git a/umap/locale/hu/LC_MESSAGES/django.mo b/umap/locale/hu/LC_MESSAGES/django.mo index fc3ac0a2f52c524a0364019a06ef651c58349679..d1fee8cffc1f12e7e508de74cb48935cdc1aab32 100644 GIT binary patch delta 1846 zcmYk+OGs2v9LMp$Z_R4dv{EatrD^Kq%=mV+d}I%`mlYHRB|)3)1x-kp6GhKuuT4g} ziGq@7s1|`PS_Fcdz(oeOkQO~j!bL&Q_cz|4!~E~(+&gpUobx~bd!Gld1;bMr@wbiE zMJyv8$C@3(h6E0@ABkqmaRznClVnziS?I$c2C)ZM;6u#7H|W7h)cv2)!Q^DKCAbFp zgsqul2^ZS26hk;4hcFk1aVd^rI!&GF2n=w^`p3o^Ip{d4B$$9hKq0li|`XN zXG>3=%S;aDFus-0QOep-E8UA%@D%3ZFVu>%nFU>Qa50vlCfJG&cA)O>!OwUJHIb7G z<_5lrT(SXl@DYYXbjIkM!6ufKgD+8;c#9ff8Yv6=f||&8)I?_8?_=0#?R5$VUC&0{ zSBM(Wi`u$+_j)Jle|CGwzf!%Q3)-VYs1zMR-FO0fu@CjTSq#UR{l)<2XZctC{t0fw z7pT2WAe~*{Lbi)A&XTyLV#$aL6x=xCsR)QjadUdC70 zhb_DWlz~y#cc|3;L~Yd{R7O0!y)>a*RHh1$kCk&!hB{F-br5x54`%84@28_`yoLJV zT~x6Rqy8v@TG0sVsTjxmIOTrd&$3yVZ6P!f)rFcCRZi6EgjP96v{38mlSqqa{Agnl z(LvnPD4X1qCfrE06V*fsQAY%bRzg|R7N}{3DpOpNg(HQN`ZH>BNt$YKa z8mJ;v-D*nZR-%RIBGf4Q==(waW`d{Cb`YBhwKc>#qJdE6)U?;CtDS@%xi~^kRwt3K z{nuXpYf7(L8=+#-zN@Kn^?sm+qI+6{YC*zL=f9@CRnu0kCpri}p`umA>qS;UL|b7b xBPlL6vLdBDX+ee8@An1*j=!?r=erq73#OJi0iVCd%b_mvG%XSrIhDB~A#3-(e<>V=BhX3_obnF^g*l>USkrfIBb^PhcEgLB?RNqb6_% zHK2P~PXFc&l^hyu3C5(O3sZ1C#$qGt1^TAYhJQ3LEmCw8NrAHZ?E zj~d9;q^XV{BTeQ72Ax#iQ#p)3@d)l`S{l$-R3`qQI!I(e*&ZehHINL{Kpd$1F63i8 zR(plj-hk?`8MTD1R{P;(@~;;ir$MPciCUvRWVua0>cK(m!P}_cIT%%U6zN8f?(494zfzOT0=dzH+8nK@k@i~cmvAZ9&ruIf;9`to zr!B*!s7=?v7fCd&xEc?k6YpXfzD6&`@e-11%7Rv<4%vrh7rL+w&tg9oU?vMq)zqLi z-)>|-nIotr=(W6nOwL?I?U{S10gd8n9789jk_KfY=%Jz??!`hipw{v}s>4U9jEo}B znsMtoiX9f^P--5Y^Ez z>W^jwPvdtyh6g$9%D{x>4F0v0xop()%TXEeqXx7Qm8osW$F%UJ4E125&i^?o;f_%= z9!71-r>GykL~Xh;)Qi5LW;BjE9g}zi6PT{<4u$8DGHqw81l-p3H zp3ufxLo^X(L^+{IC6 zqmC386(8ZT8g$-uLLx;=vw={Cwh*fb73~4-8x^*QDIxT4m_w*=V8Y9+C9NaY5~cKS zR#I^iULsPoo?62^LdQ!RGg7jtXy;BZ)z*cUtC-j{{U&uCZS9#xtDV1*@McU@Ue|L` zY26Uo13EIXp&xO!Xj@Htd)vN1Ye(pptu8*vSK#&)6uX^nU#Zu7sXoOYx|kA*NowBT U)pay*puO|xv!Sj~Ra*7Te}YJxd;kCd diff --git a/umap/locale/hu/LC_MESSAGES/django.po b/umap/locale/hu/LC_MESSAGES/django.po index f1d826e4..0b869a9a 100644 --- a/umap/locale/hu/LC_MESSAGES/django.po +++ b/umap/locale/hu/LC_MESSAGES/django.po @@ -9,9 +9,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-09-10 09:55+0000\n" -"Last-Translator: Gábor Babos \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Gábor Babos , 2017-2019\n" "Language-Team: Hungarian (http://www.transifex.com/openstreetmap/umap/language/hu/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Keresés" msgid "Secret edit link is %s" msgstr "Titkos szerkesztési link: %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Bárki szerkesztheti" @@ -83,107 +83,107 @@ msgstr "Kizárólag titkos szerkesztési linken szerkeszthető" msgid "Site is readonly for maintenance" msgstr "Karbantartás miatt a webhely csak olvasható" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "név" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "részletek" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link egy részletes licencinformációkat tartalmazó lapra." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "OSM-csempeformátumot használó URL-sablon" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Csemperétegek sorrendje a szerkesztődobozban" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Csak szerkesztők szerkeszthetik" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Csak a tulajdonos szerkesztheti" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "mindenki (nyilvános)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "a link birtokában bárki" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "csak szerkesztők" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "blokkolva" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "leírás" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "középpont" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "nagyítás" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "helymeghatározás" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Bekérje a felhasználó pozícióját betöltéskor?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Térképlicenc kiválasztása" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licenc" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "tulajdonos" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "szerkesztők" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "szerkeszthetőség" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "megoszthatóság" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "beállítások" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Másolat erről: " -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "megjelenítés betöltéskor" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Réteg megjelenítése betöltéskor" @@ -277,7 +277,7 @@ msgstr "Szerezzen ihletet, böngésszen a térképek között!" msgid "You are logged in. Continuing..." msgstr "Be van jelentkezve. Továbblépés…" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "– készítette:" @@ -290,8 +290,8 @@ msgid "About" msgstr "Névjegy" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Visszajelzés" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "A jelszava megváltozott." msgid "Not map found." msgstr "Ilyen térkép nem található." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Térkép megtekintése" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "A térképe elkészült! Ha egy másik számítógépről szeretné szerkeszteni, ezt a linket használja: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Gratulálunk, a térképe elkészült!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "A térkép frissült." -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "A térképszerkesztők sikeresen frissültek." -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "A térképet csak a tulajdonosa törölheti." @@ -373,6 +373,6 @@ msgstr "Elkészült a térképe másolata. Ha egy másik számítógépről szer msgid "Congratulations, your map has been cloned!" msgstr "Gratulálunk, elkészült a térképe másolata!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "A réteg sikeresen törlődött." diff --git a/umap/locale/is/LC_MESSAGES/django.mo b/umap/locale/is/LC_MESSAGES/django.mo index 4aeb9cf1a80d453315875743e84c1c14722e1968..6c2624280926d789892df59dfd79b1d4252e311d 100644 GIT binary patch delta 1842 zcmYk+J51A26vy!cMIJsVR1iUdqN2QtZ9zal1r+5aDjFlffkBN?5Q)JsXgVm$;-qY7 zY#e;VM`9xmE>5Dj8CWC{4LXR#Xd)pR2fx2k6K**D-2W~A|Gocn&+SxIs4DQm6*FYC zHexODFxspetC#RW`w?rFi9b<8&N#DNOhqqNVHI{^7T!Y_j-nIaqwb$UH^#@CrC~nu z7qD7B3m9m^LhQrk7{oRB7+2#MCgU`w<6Pu>XM&lB>q1Pyc4Vz~2AR|PPz%3^TF52b zhC$3>ew(6`%0Sdovm{Kz7|cUGz=K-Q7SzObn21Lsw*ZrvH4C6X{iYsvfH{n-g z&6d1uAu}16!TeT0M=7gEz3CCWioKYPzfo_L&MN4d8&_cwYJoe^jm@b0yKn{vPzyP` zVqxOz$dC=A8}DPFkIopK^H{@cW#DsECf=bYm`2LNzM&TK9kr0T$oElfwDvlI4~?gz z?#o3@=s|5=Wn{bs^_)Xa@~>2PFrYo^M5X8i>c$@I#|x1A!2l|QK`g@uNRsRm9%t+3Q1^FGXw*u;2I){ob_2B)cknj8 z#UOUEQ5sKV*-CX8a+0h8wSa@DVroYfU1#L_Bwh# zR=K$CiCom+ZlZ}$O0|zFPCv1e$R)G|YAPyKync|h?|Fn?PHi8dUp_UR9<_i{w~Nr5 zZXr~yYTCoSL>{A# z)I(7iZ4*89P!B-`6<7ojw9rE!^-@7lAbo%1o#-(C`P_S)d(S!l^FKx^KU9X_XC?L; zt)3W1+>1Bcg|)-@qPdgJ#$zU`s~D$Z8TxQDR^l|j>aJJ z30ouIMRe@I8Q6=d_z1`13(Um<%*2G@(FZLD$8evI`dtNjaXn_^Axy&4$QLAor6qi_Rif^F!*4%G9#IDj`% z6FHkUH1GqY%N}Fc!$m(Ao%jRyVhhXCgg&A&@dq_PDjQ09ST<@RqfrydNBzAB`Iz77 zuW|ZUqXuk1ZDF(1-8@C@$5E2!V)Gpp`6(v4p3`*^D+ z`W97;1L(tPq*H~x5vO4vYU}z@6Zx7&{#87KbQEA78>Lj$pe7K)x!8^YyoP-2Ghh1M zFD%DADo!t~Lp|4wGqDY|MQ2gJyNy%u3sQEL8m3ZoF$%R(59&cLHsB`IKzC5b>ou}V z_5+ovINq+6CnL$RT=ZZess@6{+N=p@V<)PXu455~pK_sd{}ZQUCWliKszkbM3F^3P zK}}>oGPYg7TNpu2xS7#3p%cjB>=f!$^`SEI9Lw5bPsNYYISqgjQ2Ey1}`7S<3;iDir*P0w0X zt0hz*bBKCk9#KW8NJ)Uz5Lz{3*kU5qw4!Qa1ra243W^C$P}{1^ka=58XnWQXYGECV z=qjVPLq(yA_dECTsC|z$rEnpk6t5ym2{jd`vZF>xSOuZ~hN=NIWq1ZLl~_s4CjyKg ztx69!Wkjs00F}x@LVG=nh&5HO>gE5o#JN$Wmk`VU|0CBvf-\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Sveinn í Felli , 2020\n" "Language-Team: Icelandic (http://www.transifex.com/openstreetmap/umap/language/is/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "Leita" msgid "Secret edit link is %s" msgstr "Leynilegur breytingatengill er %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Allir geta breytt" @@ -82,107 +82,107 @@ msgstr "Aðeins breytanlegt með leynilegum breytingatengli" msgid "Site is readonly for maintenance" msgstr "Vefsvæðið er núna skrifvarið vegna viðhaldsvinnu" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nafn" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "nánar" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Tengill á síðu þar sem notkunarleyfi er útskýrt." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL-sniðmát sem notar OSM-kortatíglasnið" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Röð kortatíglalaga í breytingareitnum" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Aðeins ritstjórar geta breytt" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Aðeins eigandi getur breytt" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "allir (opinbert)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "allir með tengil" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "aðeins ritstjórar" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "útilokað" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "lýsing" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "miðja" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "aðdráttur" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "staðsetja" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Staðsetja notanda við innhleðslu?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Veldu notkunarleyfi fyrir kortið." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "notkunarleyfi" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "eigandi" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "ritstjórar" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "staða vinnslu" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "staða deilingar" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "stillingar" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Klón af" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "birta við innhleðslu" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Birta þetta lag við innhleðslu." @@ -276,7 +276,7 @@ msgstr "Fáðu hugmyndir, skoðaðu önnur landakort" msgid "You are logged in. Continuing..." msgstr "Þú ert skráð/ur inn. Held áfram..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "eftir" @@ -289,8 +289,8 @@ msgid "About" msgstr "Um hugbúnaðinn" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Umsagnir" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "Lykilorðinu þínu hefur verið breytt" msgid "Not map found." msgstr "Ekkert landakort fannst." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Skoða kortið" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Það tókst að útbúa landakortið þitt! Ef þú ætlar að breyta þessu landakorti úr annarri tölvu, ættirðu að nota þennan tengil: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Til hamingju, það tókst að útbúa landakortið þitt!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Kortið hefur verið uppfært!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Tókst að uppfæra vinnslu korta!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Aðeins eigandinn getur eytt landakortinu." @@ -372,6 +372,6 @@ msgstr "Það tókst að klóna landakortið þitt! Ef þú ætlar að breyta þ msgid "Congratulations, your map has been cloned!" msgstr "Til hamingju, það tókst að klóna landakortið þitt!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Tókst að eyða lagi." diff --git a/umap/locale/it/LC_MESSAGES/django.mo b/umap/locale/it/LC_MESSAGES/django.mo index ca7ec2e64afd9d69a3566ea06bc5770530fafdd7..6a009aa1aca1712298c86dd5926daa359da9c990 100644 GIT binary patch delta 1929 zcmXxlZAesE9LMp$=BndvjZT)UJsqpja-6&~=5CHnk6W!}4;uzXK?zY*la@Nsi((dH z*$1{DB?x*Vibz-r8bavZM(jc_f`TB5>P4?IXzPW$6fE`qU2g~f_jBgXx%Zy)KmR)p zww`FsJ&zQfHri%lI`K!L*#TVq1qa&OVzU|e4s|MAViv_I=wTbSVFqX7HH_fj7{({4 z>qpUHX{lKi&PV=owwz-FC)Q#Nv-lNW!fALNzs7r5fiJNd$Aa&}A+tE2V_1n>k-1tA z@=VL3CVmVxk>i-gOIXYE?FF4FoG2(WE5|Ain> z1>YC2(c0?}2c54*T^B_?Fpk=~RB*lnb)U{K`B$p9aYB2v6P2Rfs0(}X2p&a^8^iMj zW*<<+c80rZ+z7_-E++9UuEsf}wHEiGGWI)isa?i;%ty$-20Z12_V9ls8CJ{2&BG>a zz%FF5b{uu#AgcOrqf-7F=VB2Rs3Mz>aa@BMpGB?sJZd3VPzxT;(a}n7;7+`ctFVbm z(v7mHq8j3$)DELodq(0FcPbA{Wq)RMJd0xz;m34IY55znB zx_kOF-2=USDYt&_(8+RF+~|^C(i^&7{-CwF%^l2S`?@pf9+ytLgj?!7mvTL>Hch9l dj$YIybT`k_0FMC)1|;*RDtZg^p~_!NKLN?hs2uwEYQB;D4TH4U0nGlVgL^YNN zJBg5bXhR|%c(8;-f`kVl;-yJrdEmtoe1Gj7aWen;oO|Xj=lswA&XN4%`N4O-h&H2D z5kra2K4x37yf0rgZ$GnCOh64yz)_fseq4ctco@_0G5W9zuo1Jc4P)^>rro&0ZAPtlH}1nTn2y7Fx>i(-3|T1-!fMn6>(Id+sO#IX8{1J6 zIo-ea!FQ1%dw@ZQ&I>vX_!S#*1IyBc-lH<{6ZL>tHk9(PMASr*P!mZ*{ho<@EZ~k8 zyW4>=Ej`SE!YKLv3LU2cvK(j>cltgn}FBjHh!FC*ecX3Vxze6v4}?-xHB+ zS_$%#RpW82L%j`uPzxAL8Z@zVRMBN2g>Mz8tyzYutrkoPWBB?wb}D;3jbQT+nbCF2^HpCz5km1 zB0{a4P~l7=s)(sX5y3Nh(pHSx24!Xz5o+4|=|mY(N)!?k2<`n?LR&+kt%A_%7ZYkh z6@&IC)Kum9M8F+TN|o+VQ_5!&O7Q|hHKV4YRo2uf1ugtThiYk_dmKWqDCK08?tltg)gP<8&Y)95 zgqn(^KM~RKDbmx&GpDw8-I|)Un>xOE%KF6x{Mr6Mc22(I&nuXi+gk2T4l8Y~^*XJG kyw81sLZ`m2VOvdIQO0IxSdo)6wxca!%YU~BPdw=P3nx#XuK)l5 diff --git a/umap/locale/it/LC_MESSAGES/django.po b/umap/locale/it/LC_MESSAGES/django.po index 0f624108..238a0728 100644 --- a/umap/locale/it/LC_MESSAGES/django.po +++ b/umap/locale/it/LC_MESSAGES/django.po @@ -9,7 +9,7 @@ # Marco , 2019 # Marco , 2018 # Maurizio Napolitano , 2013,2017 -# MIrco Zorzo , 2020 +# Mirco Zorzo , 2020 # claudiamocci , 2013 # Simone Cortesi , 2014 # YOHAN BONIFACE , 2012 @@ -17,15 +17,15 @@ 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-19 08:35+0000\n" -"Last-Translator: MIrco Zorzo \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Mirco Zorzo , 2020\n" "Language-Team: Italian (http://www.transifex.com/openstreetmap/umap/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Language: it\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"Plural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -79,7 +79,7 @@ msgstr "Cerca" msgid "Secret edit link is %s" msgstr "Il link segreto per la modifica %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Chiunque può modificare" @@ -91,107 +91,107 @@ msgstr "Modificabile solo con il link segreto" msgid "Site is readonly for maintenance" msgstr "Il sito in sola lettura per la manutenzione" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nome" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "dettagli" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link alla pagina con i dettagli della licenza" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modello dell'URL usando il formato delle tile OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordine degli sfondi (tilelayers) nel box di modifica" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Solo gli editor possono fare modifiche" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Solo il proprietario può effettuare modifiche" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "chiunque (pubblico)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "chiunque abbia il ilnk" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "solo autori" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "bloccato" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descrizione" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centra" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "localizza" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Geolocalizzare l'utente al caricamento?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Scegliere una licenza per la mappa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licenza" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "proprietario" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editor" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "stato della modifica" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "stato condivisione" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "impostazioni" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Duplicata da " -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostra al caricamento" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Visualizza questo layer al caricamento." @@ -285,7 +285,7 @@ msgstr "Prendi ispirazione, visualizza mappe" msgid "You are logged in. Continuing..." msgstr "Utente loggato. Continuare..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "di" @@ -298,8 +298,8 @@ msgid "About" msgstr "Informazioni" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Feedback" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -343,30 +343,30 @@ msgstr "La tua password è stata cambiata." msgid "Not map found." msgstr "Nessuna mappa trovata." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Visualizza la mappa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "La mappa è stata creata! Per modificarla da un altro computer, si deve utilizzare questo link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Congratulazioni, la mappa è stata creata!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "La mappa è stata aggiornata!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Aggiornato l'elenco degli editor abilitati alla modifica della mappa!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Solo il proprietario può eliminare la mappa." @@ -381,6 +381,6 @@ msgstr "La mappa è stata clonata! Per modificarla usando un altro computer, si msgid "Congratulations, your map has been cloned!" msgstr "Perfetto, la tua mappa è stata clonata!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Layer eliminato correttamente" diff --git a/umap/locale/ja/LC_MESSAGES/django.mo b/umap/locale/ja/LC_MESSAGES/django.mo index 2db9174221167b7531c85208708c4aa244a79bdc..df2ec31d636468af702abff3c986a36a94fb7c05 100644 GIT binary patch delta 1851 zcmY+^Sx8h-9LMp$X^mRBrA=zfsF|it&5T*Ow5VmJwipqGJwy*dWMz~gR7?=jQxQln z5`isbAQ27JLq#hT5+p$c1xbhxYDhf@Ef9Tw*Yi*Z|9W3 zV&pGswfrxkp%F{517~0l=HeZkgZ-F}Lzs;d?)TIrvmo_S%*5TuTJ110r*)tfej2rq zv$zU-Fpv3dkc%uD;*!nM(2ogNj2a+_T2KXQ;yO&hJ+A#A7Etd*jdKO_@gB~?_gI7@ z$eJyE`sB{!U=H(J2^ZS3^{6M^h3D}oF2J9tC(33OTv`BUV;O3J^%%e=RR1;{#dD~I zw9lNJxC?2rD;U7r813MqpNkW?mdDD$2dJHRhniprNedf8Eo2jP|0oXg{js5$wcMsQV`Hbe!2QTur@`QMJ$q zs3d%iwV1$mHedrPSudb=CgyyDLF&U9?7y;j76-Ku*CFX(2e1T>p|bia(#IaV_5m!S z{u?!L0hy=Vs6pkxPSgZ#sQbE65A+;ayS;Vw!6+AbG1+Ea=uR5kyg}Jo@+InRIoDoM zrmL(c*j4Y9QoW4O_d(~$Y1s-wrJ4xn;-A7Nz$e{m{3wLA(S)9e6JM7GJNq< zy4o{yVk?uD`clH>!EiVji3GySszRZzjn delta 1898 zcmY+^eN4?!9LMpK8$F2Iqa^COo>I~+B;C*hk@Aq}56o7IB@DyNW_P;GGFyy@Kg?6u zH2qQk$sdd{f3&e-#>{q2TO0r6X>85=b351OtZ%P#&i$Q--}iTZzhB<2BHxGj@ODF~ zAtn>Oqm0>yRipVwiH$I33dW(ja&QJNKo4$4FP_FUe1`EjfKL348Xp~Lj0-a`87q)K zpQ+=2CLKF53)?XUA7U!@<3t?9ICMk>2bv^Ip`C`ht^l)f114e%j=_t_9?TWg4ctO) zs0$afzIje%Djkv0#w1}T#$qvsV>N1mTGYn2q84t(@p!`apT}vmuc797f^K|=2{??i zFn;XF4HTl2^-UR-NmzqQ-5%5(AH$P)8Pn0t>bj#+q{~#`1l)+);4XCG0o3?*9K?I5 zja(WxvTz^LWuBnVMdc-xgE)kTu!-B!hCZS)@dvd)3=fp!VG>arNk(lX4fT5_@@MjF zf2r+XgIcf_^$54w{)0~PuZfP*p;RA7J)>6Saho>Ozz#f&ov7>5*wy|p(v3@KUtm^k z^cCtbe#R1Xlg@H%Kpone+8Xosqq^eG0YCRn+zUs2ls?qry!Y2cy)HfI5sWtjAKEhn=X6y+z&W zFlwBW1E3A1qc)I-8efUp@NVQ%a~d_zb^H5k%%|=9MMbYq4lkuHs6)>XJsUN?Nrv(KPf#hP;~FPU13y{6A!AKA zSKq`b)<>um?%->sjI^OL*NZxw4^fZqF=|8o)>o+c-lH<|9i#OAkL7Eig_BS}%&=`Q zYNATiL>p~;i*0X5Exa3V;}QG2n{;5;a5- zv6xWG^hzpIdWBfaEF(fiA0nl96;VNWi5x;_Wj3L=N_W48;K-TvgoiQb$45%a!S%hB0N@597$oj!U=c2KI z2oGu5_3k6W)}jPhDcrHlv_oq=&g zc+ZzHk)tBZ8yg$y>$WwY^CqVDIHPhR#^>c`dkV5Wxh~J5!uk2\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: tomoya muramoto , 2016,2021\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" @@ -71,7 +71,7 @@ msgstr "検索" msgid "Secret edit link is %s" msgstr "非公開の編集用リンク %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "だれでも編集可能" @@ -83,107 +83,107 @@ msgstr "非公開の編集リンクからのみ編集可能" msgid "Site is readonly for maintenance" msgstr "メンテナンス中のため現在読み込み専用です。" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "名称" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "詳細" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "ライセンス詳細ページへのリンク" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "OSMタイルフォーマットを利用したURLテンプレート" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "編集ボックス内のタイルレイヤ並び順" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "指定ユーザのみ編集可能" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "所有者のみ編集可能" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "制限なし (公開)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "リンクを知っている人全員" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "編集者のみ" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "ブロック" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "概要" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "中心点" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "ズーム" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "現在地" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "読み込み時に現在地を表示?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "マップのライセンスを選択" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "ライセンス" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "所有者" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "編集者" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "編集ステータス" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "共有状況" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "設定" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "複製元" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "読み込み時に表示" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "読み込み時にこのレイヤを表示" @@ -277,7 +277,7 @@ msgstr "Get inspired, browse maps" msgid "You are logged in. Continuing..." msgstr "ログインしました" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "by" @@ -290,8 +290,8 @@ msgid "About" msgstr "uMapについて" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "フィードバック" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "パスワードは変更されました" msgid "Not map found." msgstr "検索結果がありません" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "マップ表示" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "マップの作成が完了しました! このマップを他の端末から編集する場合、いかのリンクを使用してください: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "マップ作成完了です!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "マップが更新されました!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "マップ編集者の更新が完了しました!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "マップを削除できるのは所有者だけです" @@ -373,6 +373,6 @@ msgstr "マップの複製が完了しました! このマップを他の端 msgid "Congratulations, your map has been cloned!" msgstr "マップの複製が完了しました!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "レイヤ削除完了" diff --git a/umap/locale/ko/LC_MESSAGES/django.mo b/umap/locale/ko/LC_MESSAGES/django.mo index cebf74f34babb62e9feb5b3e97ac0b26f0e34223..268560d41c94c4ba75a247bd8e37cb000eaf6e98 100644 GIT binary patch delta 1841 zcmYk-OKeP09LMp0AGD)o+EUu0ZcFK7hM8$g^}(P;t6q%-VPWHus8?#lf($_{*dZdi zX+%NGoMqE!d+l`H5_@I0pYc?Ifp}PDTW@VUMAm!6}%I<){IIs0r1gZoCvH;1;ic7tW-82sKVOmf~%khyyqW zhmbj2ZdNigMOeiBt&)mT)`EJ{jd%+8;|%uQ&?!NwT}<= z7ox5!L)|clTDp3#za2Hs20!^%syEZ2HQI_w(RS2@d+`t+M*VIScc+;B!baLV8C3&a z!E(Hg+KdBOhq6dmHMMTtl{*y+u9P2e17-PDN|<2Up+>c2E>|;B4$gvTU!A{bPfk zL#RD4g4)$tG&D{HG6!qNC~ie%pa&z^=e2)e743Kdhfy42Eqb!q#7si(4xI{3T4gQK!QR>v(%_~aDYI%1{U!{$S+Z6l%0s-jKC9<}vEDWQz%M6?quXWUIO zb+_oHqtZf+)|dv u%ScO26#LpT##aZ!;b0`x*kQ zN+U6rxD#X6igg2cqa+V98;2>VrUIORrC5k7u>y}^I(DKDKVlO8Lft>uYv#vX9D%jS zD{L*i2WZ%Uld&BW@d1v(E*yzHn1ZqKksB=yM^R5leJ_alxC~QqFAl_0$QH)5y zCUgU5GQK_IB9jL1V6!v~U^0d<4jWJ%G@&Nej2d_&4#oYhy$!ReUqtou7_+b&hv8q$ zL0>}u1C(PD<69LMqp=aSbX!nQyax~9SC9@Khvmi@)DP3E z`su`6e1S^JpBTgvmQ`E48MPJ1oR@v9zxM1d4cgOgoPys`Pc)uymtdZ=1z99JiR$i##V?Dvp)q?7rv7z55`oJ;*U7UFBv_q<^;MNjBMHDsXnY7*999fq(CC*mt)H|!6R zPnJLe$l<75$mC7g9Ypohgv`x$VhE3-R-y}wFx=-FvN@EKX_$waP%G-j-B^mpk(YJy z=EwK=5ItlXUDzYk7IdRl=mRQ;`cMy+!17jM8mgZaIK{*Mw{kIyh6{XK1HVIc@CnQD z7aqY<4!L}YT8YK{TIor)qXsyQ+OkWiiClNyM)h|OHPI)o{s!Z9{(HI5z~7O4u^84* z^;A?xna*6)Kn1Q|hUz$km$4pW@e6v8?*1$KOl2Cen5ZUdbpDm;O9+)ZVmvXOXe4G3 zGYS2|u@F{CXp)Q(NhpXE<-}}a0Z~gR`wIvTh)p7Ns@MsuC&)cpN~najluDpz32;$H zC^=MOh^)v}|C^R@4xyDw4TjUC^-3kMA;%P%a+FD~>?Eh;ZAJ5iS$>^PLXHP+j9zxTws N-dndj{tSB_{|}droIU^m diff --git a/umap/locale/ko/LC_MESSAGES/django.po b/umap/locale/ko/LC_MESSAGES/django.po index 8eaf3cc3..66fd6839 100644 --- a/umap/locale/ko/LC_MESSAGES/django.po +++ b/umap/locale/ko/LC_MESSAGES/django.po @@ -8,9 +8,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-30 12:39+0000\n" -"Last-Translator: Dongha Hwang \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Dongha Hwang , 2019\n" "Language-Team: Korean (http://www.transifex.com/openstreetmap/umap/language/ko/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "검색" msgid "Secret edit link is %s" msgstr "비공개 편집 링크 %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "누구나 편집할 수 있음" @@ -82,107 +82,107 @@ msgstr "비공개 편집 링크를 가진 사람만 편집할 수 있음" msgid "Site is readonly for maintenance" msgstr "유지보수 중입니다. 읽기 전용으로 구동 중입니다." -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "이름" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "세부 정보" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "라이선스가 명시된 페이지로 이동하는 링크입니다." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "오픈스트리트맵 타일 포맷을 이용한 URL 템플릿" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "편집 창에서 타일 레이어의 순서" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "편집자만 편집할 수 있음" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "소유주만 편집할 수 있음" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "누구나(공개)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "링크를 가지고 있는 사람" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "편집자만" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "차단됨" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "설명" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "중앙" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "줌" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "위치" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "불러오면서 위치를 잡으시겠습니까?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "지도의 라이선스를 선택해 주세요." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "라이선스" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "소유주" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "편집자" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "편집 상태" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "공유 상태" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "설정" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "원본:" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "불러오면서 표시" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "불러오면서 동시에 이 레이어를 띄웁니다." @@ -276,7 +276,7 @@ msgstr "푹 빠져 보세요, 지도를 검색해 보세요" msgid "You are logged in. Continuing..." msgstr "로그인되었습니다. 잠시만 기다려 주세요..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "제작:" @@ -289,8 +289,8 @@ msgid "About" msgstr "정보" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "피드백" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "비밀번호가 변경되었습니다." msgid "Not map found." msgstr "지도를 찾을 수 없습니다." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "지도 보기" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "지도가 생성되었습니다! 다른 컴퓨터에서 지도를 편집하고 싶다면 다음 링크를 사용하세요: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "축하드립니다, 지도가 생성되었습니다!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "지도가 업데이트되었습니다!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "지도 편집자가 성공적으로 업데이트되었습니다!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "소유주만 지도를 삭제할 수 있습니다." @@ -372,6 +372,6 @@ msgstr "지도가 복제되었습니다! 다른 컴퓨터에서 지도를 편집 msgid "Congratulations, your map has been cloned!" msgstr "축하드립니다, 지도가 복제되었습니다!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "레이어가 성공적으로 삭제되었습니다." diff --git a/umap/locale/lt/LC_MESSAGES/django.mo b/umap/locale/lt/LC_MESSAGES/django.mo index f12e46a42161dc5bfce6d80d1e58281cba6dce35..622bf0b82428e1e51a1edb9aabbd8f3d500e1d41 100644 GIT binary patch delta 1731 zcmX}sduWYu9LMqR#yJj~9gfYxY##T^9L_nrU^jO*m;ED`a%-3+X3{28I*AggrQ;Gx z+FwJGj)+L^6yXm^F7pS4C~c7#d4Gt+TQG<>(T6W^j9JXy zGRfnDpR4Iug4tMs{csKT#_iZ2o88Y(Vu2419gMDsDvJ&9{dtB@SA(x)5B~i=K;*ZA{>JAun*SbNZg6!W~Wh= zIgbPI76y2}wK363+i^FhrI`)FIBG=+zflQ%AZtA^z31Nr zWTC_P5NyQhxCJj^OqqmPmMSn8X}>K)J$NN@Pg{$6;AYecwz=2$y4Me(Ds>#ys?+ZE ztEl_jMpgC!swGcQ2|ml9{`$u^?iW7euM{fbo_`^$JU;)55gg3jXW;_W^`oc?+(DJR z4b|HYRL`^6k!n#sDv`w)#ucd6G^_r6*Di8FrMr*X<)2VD3~-3x2y}1>>c&l|U4Ix= zp$ka&?1p>(5FO5+<5K*AN^B83RS9oJReXPpiAvjoO5_ysUAuxx=rO8P9Y{{r>0bA< zv|AX;S=byTHZ${EX3vz zJUcn2aa6z50+mlgNos`}g+u{SMW_u*WHO;Kk6^L?M=G6?J zRY)VBps>j?g`*a#F^Z@p)T*gOar~7h7*n4#ivE)P9oDqeJs*!zLS<7g=MvhrV~Kxb z1{1vkdM~wMw27t@!-$!LN~$uI6SIjtqKu%|#mQeM=E-+S>J@Q_Nkj!PftXLI(HiOt zRkn$VGv4-;M60jW+cQ5DiG-q2CsI%x4#$`KgQFMLZme+@ZeCThp{b$9DQ)DmQD;+X e>#Emn7`M8ND5dKF delta 1790 zcmY+^OGs2v9LMp$=9rC^WtpX=*RnFFv9Z)rv$Th4FCip?f*5Ng8PigW3}QAyLDWKP z(Tku56bL~RJr)s&tEf$Z1kqHK5w<9#q6nhz?>a3y_`jcX&&-_rKmT*CkILSZMPeCA z=Zw}!%puMunuRgV!-e)B*-YJsxBwqx07tM2XHGQB#qF4ZhcF#`aW0-k2k&4OzQ7dx zj74S<`$osdKpvxMxEXVBC(godoQ9{7KfA(ZHr_;iZxH<$!x@-1$&B1AADP+;Q40v5 z5-P`PY{Gn=Z+&z!8Mup6@d+m3E7SyUQHgy*J@`9L!F2EVcrMQ8-iMl}5$9nDr{hUn zgqM&UZ3tDNXPC|N?KK^h?k8%+si|fsumJOL0JWm0$e+F7G85mR68wSs-5(sqEV5Ms ziIc}4xB#_)Vsx+y594l(9HH}^PBu2MELC71at!P+>cK~mxh;Zv;3?D!`s3r*;^Vhb z54w-qvZ46+FlwF{s~FY+>XWSr6*_CsCE^L+$+y)O-W3?Eif_D)As{ zrNhWVY%@XEZR@zI%u1BR-KHe9LbYIjvVGiYmwdSVH&n&2&}bPoc3_Z5-a_{lWI;j`r4;;NFn4>c88Xmd;S9xTSM-v^V|ggw)#ZuGY5J P(81ON!Dzws^ArC9#3ism diff --git a/umap/locale/lt/LC_MESSAGES/django.po b/umap/locale/lt/LC_MESSAGES/django.po index 207c5f25..7778f943 100644 --- a/umap/locale/lt/LC_MESSAGES/django.po +++ b/umap/locale/lt/LC_MESSAGES/django.po @@ -9,9 +9,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Ugne Urbelyte , 2017\n" "Language-Team: Lithuanian (http://www.transifex.com/openstreetmap/umap/language/lt/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Ieškoti" msgid "Secret edit link is %s" msgstr "Slapta redagavimo nuoroda %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Visi gali redaguoti" @@ -83,107 +83,107 @@ msgstr "Redaguojamas tik su slapta nuoroda" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "vardas" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "išsamiau" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Licenzijos aprašymo nuoroda." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL šablonas OSM kaladėlių formatui" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Žemėlapio sluoksnių tvarka redagavimo lange" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Tik redaktoriai gali keisti" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Tik savininkas gali keisti" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "visi (viešai)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "visi su nuoroda" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "tik keitėjai" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "aprašymas" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centras" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "mastelis" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "nustatyti padėtį" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Nustatyti padėti užsikrovus?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Pasirinkite žemėlapio licenziją." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licenzija" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "savininkas" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "redaktoriai" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "keisti būseną" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "pasidalinti būsena" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "nustatymai" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kopija" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "rodyti pasikrovus" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Rodyti šį sluoksnį pasrikrovus." @@ -277,7 +277,7 @@ msgstr "Peržiūrėkite žemėlapius, raskite įkvėpimą" msgid "You are logged in. Continuing..." msgstr "Sėkmingai prisijungėte. Kraunasi..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "pagal" @@ -290,8 +290,8 @@ msgid "About" msgstr "Apie" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Atsiliepimai" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "Jūsų slaptažodis buvo pakeistas." msgid "Not map found." msgstr "Nerasta." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Peržiūrėti žemėlapį" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Jūsų žemėlapis sėkmingai sukurtas! Jei norite redaguoti jį iš kito kompiuterio, pasinaudokite šia nuoroda: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Sveikinam, Jūsų žemėlapis sukurtas!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Žemėlapis atnaujintas!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Žemėlapio keitėjai atnaujinti!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Tik savininkas gali ištrinti žemėlapį." @@ -373,6 +373,6 @@ msgstr "Jūsų žemėlapis nukopijuotas! Jei norite redaguoti jį iš kito kompi msgid "Congratulations, your map has been cloned!" msgstr "Sveikinam, Jūsų žemėlapis buvo nukopijuotas!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Sluoksnis sėkmingai ištrintas." diff --git a/umap/locale/ms/LC_MESSAGES/django.mo b/umap/locale/ms/LC_MESSAGES/django.mo new file mode 100644 index 0000000000000000000000000000000000000000..4cfce7a7b706ed88b712147159a92ac95bbf821c GIT binary patch literal 7192 zcmchbS%_p;9mY@8XdIWsH6|`O6EmhK(^Wk)i8}Ty$!tj`(>>G9bkv|=PSrhKb-V7C zyQHUL1VPk*h=K|}1R*ajCy zb?>?7{Fm?loqx?wU-^R18m@7O;8{@bC*W_ukASkH zcv-ver$KI+$3Y8z8EnAsfe(Xs;gsxo3RE0^0BZeTf>6Tz7L*;o2W7`I-SewRvhw_5 z{^Xt1{0n#*+(%Hw$A>`0>r)_)%ojoN;2WU$_2cgTpFyp6HA&NY*MfV& zLm;U$15o>>pyKoyP<(h2yaoI&C_eoj+y`C<8E*rRfLeD1YMqC=?~j72gO7q2z|VsR z!9Rh@<1LU0SItpS@2!Gb=RF{%ngJ+38jx4ar$OcIOQ81s1}Oi31@^(`69oBt5bS~H zK;`REkSXRdQ0sjj)H>e;am73heg*tFXu(flwDR;dQ1(0p>i)MtX68HyDak>d- z{t7OGw}Q75G$?1@3(Bt;RQ=T8BjD%24}h=YW%2)$AWNAiLGkK4p!o28Q2YH5)H**0 zWzX+GmN0(-<;Qh6t>?Qz<$n=W{EmU*-8(_~^KMYv|#M6hnT#m2nG0m*TL>IKjBU&?OEK%5WX$ zuQ<8JxHsHsYvdT8k1!NxUHcf~)H@l{AjNAxV}-Gsp*+nlF6HS?##zPzhWIb;OTTVsglo^juqjKQ)$eaAU+%5!*i|;mZR(1u zZ;lW0rZ&f;$gZ6~Q!R71ocOX@v`L(KpvaTyD9@^XpSf9NR}aTFPK&&(?a1d;P$ z+!Uv5zG0`BrxlpJ^E4j%jF}sG**=$X^Ang)JeV}}eRDF&GtW}yWS)&mS2u~PV^K3z!Qw2=0>~!qp78Lb(kAISQo536;}nu<3wDwUf4XdN$#S)Ih_s&q$4TS*p+^J zdvp3>UruG@&}G&~ac%DLwT-i?hzb3o9kihhaa>VkY}E{hzN$8wB$?XCCmu`sW+l!h zw$3r7aKw6R?AaxRvyFwtrpVVWPQvVbhyzw6o7s4$S;t}T#sii?hZ3l z0wF=&l=d$4karDhU`AegvpQ|rcFu3@@NE7I_GcS$nFb1&b9t@#5UI(C-}xlkdFy;e zXq5~%NQh-H$q!2sqnj$XiP@eb>$j5^?#4Cr-O7lq?zbrl*0LWvY4M%MA?N4INSSDT zs>xAT1aTJL3%d^TOJ;3WKeG>Z7;0<#LHB(YK}cfO#L3`;0v7o+=azTW(6B8lC{yMS z$5=3XfB<1mD8GCzE{mb+Dvw6R^_1$a+{7;iIgSw_2J*`FLZh z^=&;ZNIEga(_xPE4eMmupV^TFMz+QWYus>1x@vRLyK*@0piTS5%Mv8Q@2Skic$A6N z7i0L&EebZul>rGz>S9dJ99m)4@x`XpOddi$&iSlTGV3a5{<#o4m1eCM7F9h_Sf=(B z8CP)^rSFw_0zpRX6rx=9?U^8DHuI7I%j;s*&N@Y#4VIf1>vq~quJ+BqMXFH}8r`u^0uZ zjZBfOk+6~Sne{D-TgO?$8aj@c5TyJHxt#@P%Vo7MueM5&8J7jI59JtSWPmnKd}Ibw z!2Q=`hXM^m?~l+|*$RH050KXHPbRBbuVwH0&$9Zl`hvGep57wgjdn)k)i z*?CTZhZBJehEnn2L?p2(bZMDeQKNnHNS>!=t;{#kg5H^^_b$2t&g|u&^}8<6!<2Pz zwHn1y??f}Idh7YJ-L-bUcfmg#Yhv#dmM+_a`w!gSJ8+sGsKk*dp5>Jiu<*s6j(|>)xfycGXFW7shp6EH5o>ZEf{y zSrTvfOMS?_q@Ikni`Wt8rAB{}ZiS_^TH3p7^~~z&op>DR@86{=gEqZ&baa{8y;Ltz zy>WI}lq<>X(fil$?j72hrwuoJ**l#L^N6f3+e3r6-nNvcvf8zlG^I;=cT@3nnOPCO zR!0vUrttLS=>EgI%;n7J0LepY5uZ8oC>i{}5aHquEa?ng%+rFM@8`p_XP>Fof_NO7ZrueyuA+%l-Chz`FCJs>; zN3$yk>(N3K{GPzvnb~x2cH--JqJ`7O)jaH*6QnLByqTTQQ&(N6g6$W56|;zi0Ctck zUX7d%fe|S!!s|MiXlz{-(-iJRx+jOsN*AuneJWh!(y;fMYdCu`ien^kDIcfQ2b_a& zwF|Z@sC?_2vtFS`TAPThW%!tlMoq@~>r+?Fxzskk+-oMG_k}`@E5pb3=KW=Z=sAwP z;C77PVzCML3uQViUpsg`i=kRyImHj9e`d!Op@sTuc+!Tf&2bwF(kh$nL>YU3oz8%EeHr{qk*hhM6cSbbvm^4{cW1T8PZurSCMz`E z7vqG$1!0i49N~_xlzV|?qUe0MLv;ssE1)!+K||_hQ>p`}sC(KmDJR@$SS$N?>$C~9 zQRCPsiE*`%W=velXE&AsVNARC_4@dpsRYP3fGR zDX8fRwj%&Lv`I(aC0n%Tr`!f_v`ZoYD(N;IX&xbZ!|i;x{)fO($K-+(op4)vE+=*r z0fm5oXQ-4`x%j=ah<>T`kOoD`j z1w&5MjK};3NTvMEmY!>g^gQwZs(C*y_1s&GXo8Jdrz3WV_pbdcvg*i~4p}nFQmPi;xIDQ^9srd&H*7r&P literal 0 HcmV?d00001 diff --git a/umap/locale/ms/LC_MESSAGES/django.po b/umap/locale/ms/LC_MESSAGES/django.po index 86131269..b1d9bd58 100644 --- a/umap/locale/ms/LC_MESSAGES/django.po +++ b/umap/locale/ms/LC_MESSAGES/django.po @@ -9,7 +9,7 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" "Last-Translator: Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021\n" "Language-Team: Malay (http://www.transifex.com/openstreetmap/umap/language/ms/)\n" @@ -71,7 +71,7 @@ msgstr "Gelintar" msgid "Secret edit link is %s" msgstr "Pautan suntingan rahsia ialah %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Sesiapa pun boleh sunting" @@ -83,107 +83,107 @@ msgstr "Hanya boleh disunting dengan pautan rahsia" msgid "Site is readonly for maintenance" msgstr "Laman dalam mod baca sahaja untuk penyenggaraan" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nama" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "perincian" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Pautan ke halaman yang menyatakan lesennya." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Templat URL menggunakan format fail OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Kedudukan lapisan jubin dalam kotak suntingan" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Hanya penyunting boleh sunting" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Hanya pemilik boleh sunting" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "semua orang (umum)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "sesiapa yang ada pautan" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "penyunting sahaja" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "disekat" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "keterangan" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "pertengahkan" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zum" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "mengesan" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Kesan kedudukan pengguna semasa dimuatkan?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Pilih lesen peta." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "lesen" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "pemilik" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "penyunting" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "status suntingan" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "status perkongsian" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "tetapan" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Klon bagi" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "paparkan semasa dimuatkan" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Paparkan lapisan ini ketika dimuatkan." @@ -277,7 +277,7 @@ msgstr "Dapatkan inspirasi, layari peta-peta" msgid "You are logged in. Continuing..." msgstr "Anda telah log masuk. Menyambung..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "oleh" @@ -290,8 +290,8 @@ msgid "About" msgstr "Perihalan" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Maklum balas" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "Kata laluan anda telah ditukar." msgid "Not map found." msgstr "Tiada peta dijumpai." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Lihat peta" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Peta anda telah dicipta! Jika anda ingin menyunting peta ini dari komputer lain, sila gunakan pautan ini: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Tahniah, peta anda telah berjaya dicipta!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Peta telah dikemas kini!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Penyunting peta telah dikemas kini dengan jayanya!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Hanya pemiliknya sahaja mampu memadamkan peta." @@ -373,6 +373,6 @@ msgstr "Peta anda telah diklon! Jika anda ingin menyunting peta ini dari kompute msgid "Congratulations, your map has been cloned!" msgstr "Tahniah, peta anda telah berjaya diklon!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Lapisan telah berjaya dipadamkan." diff --git a/umap/locale/nl/LC_MESSAGES/django.mo b/umap/locale/nl/LC_MESSAGES/django.mo index 2e9bac2a6ad2aff7ca725185e1c6b1d2bcf5cef3..4668fff97ba2d1c8a414b6eaac39a333998560c9 100644 GIT binary patch delta 2850 zcmaKtTWlOx8OP7MA$1ZG=i*}Q5;zHQ6DPYHuj96f;~F~`jN3G!=|u#p!q|H}p6u+* zW@gq-OUepR)fXNRODifW(LNy2i>j)YT7)R#3DmTCX+cN`5s5yvMO+^8&`Jn?|JkJp z6>zlQ{LVRZ=A7^HpV^nozq_UN$E|A~Gqls#r?BUHjH$!Pk8z>>ZLKle;oqUA`mQ%- z7~TL!;bC|fhVawyCvYqLHSB}GhkE{9Xkl-!F#~V}@@ttHu6vod9qxlo_;L6&yb-m+9QVL}9%# zo8bUl1NT5}P=a#kW~hUYz)kS}?tBe?mhpM0eV&9n;Y)BE{4LxK-+}mSwruERW(W>( zzS&DhDLW1o>6hT6@ErUMd><;JLA;=AEc^s4LOFO8T6hQ4^C5f}J_6-PV`JywHe|{? z2`zjEwwiP<(piSngf#?Tfy%_2PzSsXk%f5=%8|c7IdY|Yzd)f?>vdc-KM3{QFw}u1 zsM1Yz=TAWGb59@nSE|3lglhCPs1z+iJs89D@B-AjEAT?Wm=B;*zQV4W{~;{Gr(gwM zg0t|SP#K&hy~>ymnKIvi3iP{M$-hML922VDYY;h@%kU=n4%9)LDI~#~aj5l2p;GNZ zss16T^-n;4=9gUd!{0zTum)u+uw795m%8IyTXb~5G&}~Y-SIP!pSi>ZAIzU%o&l)L zd;k^6^?0pF1|d^s9FiO}2Y16WP!4_*R^U@mulbwZaqF*i5T@BdezZXmYQYTD0S|Q9 zfIndTEyyG0MqXmouma`KLAV1Rhlo1M1*G!j;JOLuKSJRBET89GQa>-+fS-djO(ubFMqzf-2>saGT!$ z$LVN;XQ4J+?eeGH`B$Mf{uR{0Z@~m!hFX6b@6e=~!*pL!t0`(};GhPy@ea&MIDwG} zvxf8YrU>QLwQaULn1-LnZpUuH_F{*yG3+R&&#_9UCPyViX-dM|gDHBoQ<%PdYNZZL zOEo-(DP=cfyD&9nV6%j z|BVwEdTHfip`SN>bkvSx(gG#VTal~24@e^y=dJl{=a0vB`~QYStESq24!Z-B^7R&! zF@4AmV0jyECu_ex;bjX;HmEn^B(uJY(=2H&WX;4?ZPm*>yN9{6X&e=;-#A~iwR%{z zaau2z%Ok7rtvy+2AL)I#Cx}*m*1NGVJl3-+HA?$EC^lbJ?N6u22nnfFP@LjudZLez0m)W4Q!Cw;r6Z#$6EI+(dFmas;kF5 zoMv9M;EJ}H;`Cyi*vzFF_oJ$9B(9XiAs+ZPaiQ~4mzM3^qJ1!K+Q_lqvpg=hukO>x z*J(RD>Di^kE#9_scu!~9SDRBwIFjz1x;mlpD2uS8dO zZ~tO#dFQ>SPvB&|5qg>99C>%@?mP38D1f?`t@<0D@7Yv2P^wf)V`H{5J~2Al-mz(5 zwCY8H3#-mg;y4?#lm9WU9Gv#+UJ#ZS;`&t4j*X6ut=_dMEX*EJl{-atlz^I+e3H~H zwWBV~`EJ=o>Hn*E`{#Z4_cT}9Lz}k?hc;i_fbTA{b+6{4cK?>|^v*?L>@&6cqb=hF zg0%B)#UH8WmRR~jR8caXVuz5hU~ z)bRWu^2{+L%Obfdft8k#Xn?$YH=i_vT4tBy4>iV`|1PnaFtyEm59x-A5naBIjpAzH z6V!b6;g-3~zWfoL{coAwYilGbj%&8LVqKs#b@!I$9IvWUMhKBdjKSGj`}=(((p)J$ hi`3(|Q;S@2d8%{Cp}8OTPxQ1K8%GMIcHhA6e*wc`^sWE^ delta 1931 zcmZA2U2Kz89LMp~$wt{2d*65&_!Jofx0a4k=E~d)45r(RVj%H#TDN0Y*0rPE1`b0_ zjEZs5z!M133yg^n(HqlfAgD1}yl^4$#;_aZ#uzU&#sGcm~(uCtm%RSjXq@ za4Y_dHTW+whAAsu-icb=$meaS9qK_X>}h<5@y!G`58_>97fnqW593BIn#gu^Fob&W zNz?%2s0kkTzCVpKe7=OUSjU$dcpkODE2#diAz3!xV@?AuaKkfZ(Q9xEmBZU!{oh{w zf5@LHDql`X1**dUs-K;x9SozkK7yL)KGbvlcoGkz+AWr||JG;BPgFcaMTAlH#k1Io zBiM%Tp?2t7tjAwbXW|}eg(WOcIS!yw(t~8d9L4SU5~}~VQ7OENYJa_w{nwT*QK1L_ z@fwuSyB@4V<+KZT;ZvxIyn!0vW7G<-q6WxgKQ4Kn8%ekhWiKlCN4aQ$`T}e1+PwA8-zT!xK0{ulgC@LJe?-i_VgtJZYu1s2$pX z8gMJ>%4C}H&GqVd!F^`FQ7WUgc|q@)FHcuYTw3N zha+YV5PbymE*#Dw+^OIHUT!)G73G#AV0sA^{Y+L$H#gc^6%DBKp{;Bo^k&mJ(tvu& zC{-%Mgwm(8!Dc!W^dvrOUKv~wRK^gm&xC|xVX z;YJ5rg^cK(UpP+#s%YBb-YuESf3|wq=Raia*ekKo3HP4=bpEw9exLhkX@9<|tkLK8 zukFjb<)0UI?+ypU9l^Fvr>!#@iL`_%rNgo8bnr+fmdYk$)9FmqIbdzp8L%^R*6B*5 zUQPFo#uHm(DSHZ`5F&TKlJagJGcp?a~( zrpytWnTb!Nr>1N&k&3$)Yv%L8+IF9NrY`OV>Q6ParYD_Qn@A?&<2Est&Db%UvZ+=# uUw^KmFP56LNh-{c#&TyG+KZj3Sls4su8$TK&pZ*E%DNv`w7B6-&Hn>eEzp1f diff --git a/umap/locale/nl/LC_MESSAGES/django.po b/umap/locale/nl/LC_MESSAGES/django.po index 00e704ac..1d0e9444 100644 --- a/umap/locale/nl/LC_MESSAGES/django.po +++ b/umap/locale/nl/LC_MESSAGES/django.po @@ -9,7 +9,7 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" "Last-Translator: danieldegroot2 , 2022\n" "Language-Team: Dutch (http://www.transifex.com/openstreetmap/umap/language/nl/)\n" @@ -71,7 +71,7 @@ msgstr "Zoeken" msgid "Secret edit link is %s" msgstr "Geheime link om te bewerken is %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Iedereen kan wijzigingen maken" @@ -83,107 +83,107 @@ msgstr "Alleen te bewerken met een geheime link" msgid "Site is readonly for maintenance" msgstr "Site is 'alleen lezen' wegens onderhoud" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "naam" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "details" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link naar pagina waar de licentie details staan" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL-sjabloon met OSM tegel-formaat" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Volgorde van de tegel-lagen in het bewerkingsvak." -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Alleen editors kunnen wijzigen" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Alleen eigenaar kan wijzigen" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "iedereen (openbaar)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "Iedereen met een link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "alleen editors" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "geblokkeerd" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "omschrijving" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centreer" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "zoek" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Gebruiker zoeken tijdens laden?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Kies de kaartlicentie" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "Licentie" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "eigenaar" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editors" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "wijzig status" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "deel status" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "instellingen" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kopie van" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "toon tijdens laden" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Toon deze laag tijdens laden." @@ -277,7 +277,7 @@ msgstr "Laat u inspireren, blader door kaarten" msgid "You are logged in. Continuing..." msgstr "U bent ingelogd. Ga verder..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "door" @@ -290,8 +290,8 @@ msgid "About" msgstr "Over" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Terugkoppeling" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "Uw wachtwoord is gewijzigd." msgid "Not map found." msgstr "Geen kaart gevonden." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Bekijk de kaart" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "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 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Gefeliciteerd, uw kaart is gemaakt!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Kaart is bijgewerkt!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Kaarteditors met succes bijgewerkt!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Kaart kan alleen door eigenaar worden verwijderd." @@ -373,6 +373,6 @@ msgstr "Uw kaart is gekopieerd! Als u deze kaart wilt wijzigen vanaf een andere msgid "Congratulations, your map has been cloned!" msgstr "Gefeliciteerd, uw kaart is gekopieerd!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Laag is verwijderd." diff --git a/umap/locale/pl/LC_MESSAGES/django.mo b/umap/locale/pl/LC_MESSAGES/django.mo index 6d7f12c168bb4cc7ec5a33fa4b277358d8d56c8c..0a86a1048137838694b1996a563e34ab087af6a1 100644 GIT binary patch delta 1847 zcmYk+OGs2v9LMp$j~Xp=d{#cPt7VotH8Yy!qq5Y@R}U#DEQ+EQW$z53VyKK3Em}y? z!bP?+3MD04gwRF=H<96@mo20qgI*+2i|YFuZ_vU2{oH%Td(OG%|G&4V^ipYPJSqBy z(VB@&;(nyrQLLE3f%avl*#i8E>hgNbaxoSCSdQh`idoo$NjQvNe2Kb$5*>_*F`I|W zkiU?v=a^4NJr-aa#$h*RU@y+c5lqAhOv5SncWpA&6a4eCjE;#E9}3-KrFiPBgFr{>^XEJQ7^3LR`f-QS9ncm=hP z6LY2~?nJt*3mv?Rp*BuNI5~@zJXShBLhZyTYJv%*EbJp{A)inSnR0)RAkoToEC=PtTj)@Z_Mx`u5bDO`*pBB>|2Ku-Bg}qbHrJmSm0h(& zwl5Deu>z~H6fdIw?=kXcZ#eL*_61d2zmwR1ZE-q@QdO3r7SfCbxD)fS19f8`YNA10 zhVM}Kd8s^&lZPs@S}ehXsQbH+GP7aSgFSN{4{_qq@e%i692K+_52FU^L~ZE<)RqpS z1{!kvpQ38v6*7cQj7nQh?s3%GY6;vq^B(%l3gmSN@1uH%JAgLgg5-n0~3!yKcno^(^QVy#L zZQ)8nDNxf^H4z(#Www2fv?wNig)^e^_P&=kpKv0vmjZoo55q_eP z$X5Qf<^P)Ut5!p(`jtPmLP9B_cEZKE3f0O9M<@R^eQ4B_s&zyI5g_yy=#9{atcVD= z+<_!dROCQbY@H`QP~-~)e8Hd-C@%B+JKGYnXBRp_f6(va5E!_b&=)n(l+qIO7q%pm AdH?_b delta 1880 zcmYk+Sx8h-9LMpaPCA+CxRh3EqvhVDGo|U6EtZvQnJGdGsQFN~ry@iQNl{YJDlHF{ zK?@N@SPwx21%dW({Kj&$*BJ;L>F$rIPAtyJddowTt;o+25Lcf zu!Q-|b1qWou!kEn4YSdK%g~0kr~w*K3)_O4xD6xmh}C}%=WySL8fO4gaR_7a4`yJ@ zl!*;^F^c)k3NB`19qQ})-kK!eqjj7D89hD+orW~hZJ!*kF(24D+=X-G&@1hoR zaq7gxkC84jfIcS|ues>JZ`g_3*p?Rb5p@#ds0kuSDCJ?|Pz#AiEhHKBeKzuEJXU|H z)n9{}umP3A7OTG_iu2b%2kFpJA4cV<2T8X%iF)t?cHwo@|0T1kuR$C)Ds@viHcr>% zVg`C~F*ainUP1led*siI^TA$CWGv^e;z=YyI^sf9bvB|FvIldp6SMIe>cJPNiH0x> zL#Q}C=R%!C8EU+0RI%;E0z8fy=NVFVX4J=pcKFlMM&&rUkH*dD!Av}b8t4(~$lszS z`h*&2#OnWns)-;z7}6x5#&_X-^rBwVZK!d5$GA{&+{bi$gG$LbYNx?$OTP;aWV6PF zd}WrSQqqWe?iK2}G1P>AQ4>T^iCSzSipCXT)D~5jxjp+^8}GjW@`j zM_d1Bs6E)es|`#+RSmA(J~ diff --git a/umap/locale/pl/LC_MESSAGES/django.po b/umap/locale/pl/LC_MESSAGES/django.po index edf30191..fc029f3f 100644 --- a/umap/locale/pl/LC_MESSAGES/django.po +++ b/umap/locale/pl/LC_MESSAGES/django.po @@ -15,9 +15,9 @@ 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: 2021-02-08 15:11+0000\n" -"Last-Translator: maro21 OSM\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: maro21 OSM, 2020-2021\n" "Language-Team: Polish (http://www.transifex.com/openstreetmap/umap/language/pl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -77,7 +77,7 @@ msgstr "Szukaj" msgid "Secret edit link is %s" msgstr "Sekretnym odnośnikiem do edycji jest %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Wszyscy mogą edytować" @@ -89,107 +89,107 @@ msgstr "Edycja możliwa tylko z sekretnym odnośnikiem" msgid "Site is readonly for maintenance" msgstr "Strona jest w trybie tylko do odczytu z powodu prac konserwacyjnych" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nazwa" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "szczegóły" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Odnośnik do strony ze szczegółowym opisem licencji." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Szablon URL używający formatu kafelków OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Kolejność podkładów w oknie edycji" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Tylko edytorzy mogą edytować" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Tylko właściciel może edytować" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "wszyscy (publiczne)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "każdy z linkiem" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "tylko edytorzy" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "zablokowane" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "opis" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "środek" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "przybliżenie" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "lokalizuj" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Lokalizować użytkownika po załadowaniu?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Wybierz licencję mapy." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licencja" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "właściciel" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "edytorzy" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "status edycji" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "udostępnij status" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "ustawienia" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kopia" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "wyświetl po załadowaniu" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Wyświetl tę warstwę po załadowaniu." @@ -283,7 +283,7 @@ msgstr "Zainspiruj się, przejrzyj mapy" msgid "You are logged in. Continuing..." msgstr "Jesteś zalogowany. Kontynuowanie..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "przez" @@ -296,8 +296,8 @@ msgid "About" msgstr "Informacje" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Kontakt" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -341,30 +341,30 @@ msgstr "Twoje hasło zostało zmienione." msgid "Not map found." msgstr "Nie znaleziono mapy." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Zobacz mapę" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Twoja mapa została utworzona! Jeśli chcesz edytować ją z innego komputera, użyj odnośnika: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Gratulacje, twoja mapa została utworzona!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Mapa została zaktualizowana!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Edytorzy mapy zaktualizowani pomyślnie!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Tylko właściciel może usunąć mapę." @@ -379,6 +379,6 @@ msgstr "Twoja mapa została skopiowana! Jeśli chcesz edytować ją z innego kom msgid "Congratulations, your map has been cloned!" msgstr "Gratulacje, twoja mapa została skopiowana!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Warstwa usunięta pomyślnie." diff --git a/umap/locale/pt/LC_MESSAGES/django.mo b/umap/locale/pt/LC_MESSAGES/django.mo index 04ca6de121f59592908674ec6f40bcfca3b1af65..064d21f70c07c230864c667325d7f3b2e444941f 100644 GIT binary patch delta 1925 zcmXxlNo-R`9LMp$LxPi15+@Ww%r=I`WHb0VKuv-PAq`8yo*shWP!7NW7s6tMP>@ws zg#*ih2mum@=1>F@tyIDyapC}i=E5S7S`I7%4g?j!AqQF^_4|8%jQGFLyzzT8^Zqjv z?xz1r=bu&;pEAk@Vk&W|$m|DPRKkVweyrIv{D5kz2%FX7L`-5Uwqh2i;{~k3J6M5F zQ16eR!_rc-YOF{8<*l7-0}Wl+h&lWc2XPAij+1d1EAb`P;ArrBMVVQG`$qfj1_v?5`1Xv-L>fY0m_@J}i?I&XK>{_Q`KW=HVmWRO+IQeA?hl~) zIfpaxGETt9I2+#}bGFKHh0H`T%J|kmMJek&u z-$N|4*1C*~+G|kn)uIMWpq8#BXkUfu=er8>uT*cML2L9qDn;8+FYdwv*pGT{6n_hu z{fmzK3-qe@{zMP&VLOIM=W^^oZPufxwf_UPME6i1`nrnz&!(bJrk0-NFR^joP$fI;+PRYU14($NUZ|>hL7;to?#| z@LJIR9QDFGyo%+FqA$IL%G3+g1V_-}N7NpOvJmeO{n5`uAoWGw?lbuVX36*&TYz?*$ zB+7~z-!Js#r!lzo(GFHwLM$V?hy{eQw2;s~=^&I&t+|T6OzWyms%5Jq^bsm+3H{|$ zNffZWQui$pCgu}g6DmsKYGNs|fly&{`^QH0c7juA>xdPEiuTQ7ViBPwRcR!&uhtVf zQChMjv5JUk{gv|1Md?-PBy^0}0)Ej^Dk0cA{^t9}Z!P@CP!{2F=G z+1%>-vbjB5vYEP_E|YOd*Wd5_npf}IxNYGsruKN8TCMYveknZL<~$xq4IQoQEgJe~ I!lu&y0gd~loB#j- delta 1901 zcmYk+eN0Vp9LMor59&&KxKSQ+ZXSBza&Ia{2_@b^M~AN%-WiVB~LRO zlRwO8OaJ*pf3$_oV*O!kX0tJ@zc9nryg$deTfg<~b2HfA{~D;B4yF1Gsz#kixy=RCjo0u5_M)y!W>$?Mq#G^H z&oip-dxU-*z%}?8*JCTgye*|^?dmO-Vw7(lXO&NQIn&4Zs@C#~c5Wz)#fDA(i_}C zc8VFm419{M_zjO?9rdzs6nVD!iAs4iqlRH3Dz&pv5B8uY=0%O4gL=VoyPx{+;6RJ4 z4z=13**{QY)WGLZslJ4|@d|3-yQu5?@H7sht}7uOA*ifOY?_=}4zZaiCD!wNdv;q; zt%6uUtRPhXl|&)I*!Ds#Mi#ZbsMcbzDdnq)4MaInKrACPL6uLtgG8H3LhE5Gp%zfh zmF{3u%JYa!r$hT)J0RGU@->7~yotyn)U@dI4N#-xCYR6-@epck1pD)@Qg0+y5&8Q5 zFXzA_vWZ|*+LhuoLfdjF5o}s~+Da4KI_E_7)gmjK_#?+Yg5_hXoPItd_HKw)UW+&> zaefe5^{R7t|5$`8)K$8F|GvHT4F~&wxHd*k&GY)Qy#6f9zaro7@2-gRb$7*$x-$!` kBTa2b>zfMGnk`SEQF6GswZ5VMcfuamKc?rNjsO4v diff --git a/umap/locale/pt/LC_MESSAGES/django.po b/umap/locale/pt/LC_MESSAGES/django.po index 9b5924e0..fb78c91e 100644 --- a/umap/locale/pt/LC_MESSAGES/django.po +++ b/umap/locale/pt/LC_MESSAGES/django.po @@ -9,15 +9,15 @@ 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-14 17:11+0000\n" -"Last-Translator: Rui \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Rui , 2016,2018-2019\n" "Language-Team: Portuguese (http://www.transifex.com/openstreetmap/umap/language/pt/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Language: pt\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"Plural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -71,7 +71,7 @@ msgstr "Procurar" msgid "Secret edit link is %s" msgstr "Link secreto para edição é %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Todos podem editar" @@ -83,107 +83,107 @@ msgstr "Unicamente editável através de link secreto" msgid "Site is readonly for maintenance" msgstr "O site está em modo de leitura para manutenção" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nome" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalhes" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link para uma página detalhando a licença." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modelo de URL no formato de telas OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordem das camadas na caixa de edição" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Só editores podem editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Só o proprietário pode editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "todos (público)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "qualquer um com o link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "só editores" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "bloqueado" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descrição" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centro" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "localizar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Localizar utilizador no início?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Escolha uma licença para o mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licença" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "proprietário" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editores" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "editar estado" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "partilhar estado" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "parâmetros" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clone de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostrar no início" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Apresentar esta camada ao carregar." @@ -277,7 +277,7 @@ msgstr "Inspire-se, explore os mapas" msgid "You are logged in. Continuing..." msgstr "Sucesso na identificação. Continuando..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "por" @@ -290,8 +290,8 @@ msgid "About" msgstr "Sobre" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Contactar" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "A sua palavra-passe foi alterada" msgid "Not map found." msgstr "Nenhum mapa encontrado." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Ver o mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "O seu mapa foi criado! Se quiser editar este mapa noutro computador, por favor utilize este link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Parabéns, o seu mapa foi criado!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "O mapa foi atualizado!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Os editores do mapa foram atualizados com sucesso!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Só o proprietário pode eliminar o mapa." @@ -373,6 +373,6 @@ msgstr "O seu mapa foi clonado! Se quiser editar este mapa noutro computador, po msgid "Congratulations, your map has been cloned!" msgstr "Parabéns, o seu mapa foi clonado!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Camada eliminada com sucesso." diff --git a/umap/locale/pt_BR/LC_MESSAGES/django.mo b/umap/locale/pt_BR/LC_MESSAGES/django.mo index 8a844c9855a7b167f5bd3f0e5bd608e4d04e9a8b..5a16451a218ef9d6503097d25fa924f26a22501b 100644 GIT binary patch delta 2250 zcmb8w?{5@E9LMo#fzl$<0#BSQW0geUb8O$doL=mULVqEUkhCM24OiIDI>EdhVTKG3M~{kdEI04IF!H9NaI zGy9#HGST__hQbevX1`@9yNO4MOXbG+*gc0I%C8m1JchranyTj-(}=a0#ErNSJzRzt zaS?uj)p!H-{xn*wtTbi`HY5KErk~#y8g^hS=5anw;8MJdkKk2Yh_|s0XX5+SRmLQ^ zZpDZ21!S%!gN$kNsENOZn#gJF!3k_&d~=gZEe&P!jH$sTI2)T#9VAc_T8|odGcLdb zar;qR$@MW*KNoNXzK@IX8(fV)BXc$jA1Gy}9_tz3v`|sXwxPasKc2xcT#kRDzNn5_ zP&F1G#xu>rn4Cq6SQ$maZ#qA4K)Dx0?Jb)i2VZH9Ck&(P7k! z0UpDXsOM(zt1@H$Ld*5%^s4uM#1!7eeq2sEpF#(_eq?D{9~Y z)Wn`gW#}O41EaY86l!ms#TuRecj6ltQ60aBO7%ym7e7IDd<}IfZr~}rgL=*<9ekL1 zhR}1`Pb!-1T4IAPDCbC(GFJWBeoMeh)zOTdXmsS*+M9t zT5}bBnbuXCRLj;x=p$5y2>s<#Nt7^!V(Pe?b&d zW*6}^p`v}$OLP-jQk7Oh`|3GDCrV3}BnF8FW5$OoYMpJ=b!u4oV$sQ&L$Fnfd+mv0 zYw7&~Ivc z8f{8*NG40qZn7yJXrKC{W`FtAzQs%DRvq$!vApY~gYj(rrNWRc<}mAqJ|9L3N1ad^ wbRx?%tZ;lMjp^Wjyo_TAj}5grxOV;h^!OX$jvL2mG^V`AB~SD)&Kwi delta 1902 zcmY+^OH5Q(9LMp$=m6q_hYv&)F9^QI(HW$|fFP*QYH0B8FrVOCAQD@Vn zE?kHc5?d1!i8~iIB~6nyaZzGoG%;zqX^pnNs==5>iALi_zrX8f;>rBybMBeB_dNdR z+_9RoE0g~eOc*puJ28himtoe8O9OmSZe^Oy#oMT+S6G38EVD2Mu?}}&37*0N`~`FI z3hMsr=->-1#G-67K1qx4y@ZBZ45EjVaR7_)49>z|F(3a#KK379MfgAJf7uhwLRgN| zaT79D+l%yRG1LSOpaygp>*?Qqpi)Z1UpNC_Vjkw@m`%V^)B_fv2DS{ zIG^ht)N=;04A0{tu z)Bx_IIvzvi`enL3hYPjOM0HexN?kDBUXOZCb1v(zC2plbxoJl&%{J7HyHLM(MjjL`~>k`g$};#i8LbZpM7J zZY6rC+@3;K)h?iJyoegm2x#H#q_2Xt3eI02_0-h?TsFc;1SgEynuz{*h{F?++~N7 z#iUJSc$^5EjZ3fs`>+jr@e(>1C2{m^+i^Vhpq8{B)!|{(fR3S7W&kyTbLsYb>kD%gI}R;n8Y;n`y6B, 2020 # Joao Ponce de Leao Paulouro , 2014 # Rui , 2016,2018 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: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Alexandre de Menezes , 2020\n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/openstreetmap/umap/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Language: pt_BR\n" -"Plural-Forms: nplurals=2; plural=(n > 1);\n" +"Plural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -71,7 +72,7 @@ msgstr "Procurar" msgid "Secret edit link is %s" msgstr "Link secreto para edição é %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Todos podem editar" @@ -83,107 +84,107 @@ msgstr "Unicamente editável através de link secreto" msgid "Site is readonly for maintenance" msgstr "O site está em modo de leitura para manutenção" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nome" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalhes" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link para uma página detalhando a licença." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modelo de URL no formato de telas OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordem das camadas na caixa de edição" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Só editores podem editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Só o proprietário pode editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "todos (público)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "qualquer um com o link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "só editores" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" -msgstr "" +msgstr "bloqueado" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descrição" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centro" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "localizar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Localizar usuário no início?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Escolha uma licença para o mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licença" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "proprietário" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editores" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "editar estado" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "partilhar estado" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "parâmetros" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clone de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostrar no início" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Apresentar esta camada ao carregar." @@ -226,7 +227,7 @@ msgstr "Por favor escolha um fornecedor" msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "" +msgstr "O uMap permite criar mapas com as camadas do OpenStreetMap em um minuto e incorporá-los ao seu site." #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" @@ -277,7 +278,7 @@ msgstr "Inspire-se, explore os mapas" msgid "You are logged in. Continuing..." msgstr "Sucesso na identificação. Continuando..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "por" @@ -290,8 +291,8 @@ msgid "About" msgstr "Sobre" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Contactar" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +336,30 @@ msgstr "A sua palavra-passe foi alterada" msgid "Not map found." msgstr "Nenhum mapa encontrado." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Ver o mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "O seu mapa foi criado! Se quiser editar este mapa noutro computador, por favor utilize este link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Parabéns, o seu mapa foi criado!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "O mapa foi atualizado!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Os editores do mapa foram atualizados com sucesso!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Só o proprietário pode eliminar o mapa." @@ -373,6 +374,6 @@ msgstr "O seu mapa foi clonado! Se quiser editar este mapa noutro computador, po msgid "Congratulations, your map has been cloned!" msgstr "Parabéns, o seu mapa foi clonado!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Camada eliminada com sucesso." diff --git a/umap/locale/pt_PT/LC_MESSAGES/django.mo b/umap/locale/pt_PT/LC_MESSAGES/django.mo index 445cbe7cb18c5acc4287a9e7e9cf3353f2955424..7eb6db393771ddb3e35d600c96d728f6c24d6cb4 100644 GIT binary patch delta 1925 zcmXxlTWC~A9LMp0Vr&vG$!3kFNliLw&2_Ww*^SX$n_HtzOk0~qh?fTysRg6;wm~%I zARML3V8xDftcm~R&6K8D4(9hs{g zLdLWdYT}=xCUOQla0)9K-)5<-rXg#YSp-Wk2WwFs#8DG!LJi!51-L70KY(v?e*)D{ z8sEV0aTVUf8vFy9vlT7RWTp(u7~krtC}n-9FCD>icm!X^=cq3#WfoM;;Tmi}O|Tao zZb7|2ijVOuY9fbMW(J->nkT7rrFtg~TBF^l6n%nv@iRPun^383K@Hr6n%E#JL)%av_-WWahT2;` zMs)ta41f3<)$uo|RDXwh@d~QrpHZjc7M{jA)N^}D2Onnrgr3uWQqg4JCYp6aS)ai^ zz*d5USq|d|g}#C`hPMIQ!75$ECSritKqyNsg!V}

%4^RrFlFQ2CJ1 zUp|$12J@A=cZpo0iC9OdD24A6J;V^9!X^)njq2S5r_i<%?-456H}4SbgqBn#MrdDs zMCe3m$vk3^sMPu^<%>n>Rp}#ijMxf6(NS7Tuy=yZw=rnV{KwX9lxBWV^pO1G^2S zhL}w}^f%@JR!!oI5)o|79E?O&rDGBNb!E)r| zHnn`GQn42oVmF3jKgQx4oPk3ai2;+nFPdna$$cE^xok|sO&EozFbFRrV=&iI6S$2U z&^^qjfAgA)1S%XM#zbQ(MqmL3;s#U$TTlbriR!o!r{WpA{vyuh{uZj87nq2ja2k%| z0(4IKKY?5fr+-t-#Vo8rrLGw@bmfLioUhKgm*o%5Dj!_-+Bi(3me}h)_ z-ZRX=msp6SScbWzRh#w{YVGf!mguFE{A;G4saSx2FahIPFb$v(mAVR4{XQf~rUSLs z*HBB-kGyKWBiqT0pia{`s>4`z_nb5H&74u z+4Wyh&ktiChS7^=I)KX9H`D-sp@pNUJu;IWsijFm9oMZG5%po2&)3 z+mCyHFy;cP;Y+Ag-$cFGi)z?|dj2V%#CNFYHj)lMR8}Sy4Nhelv5qJu%IM!ay7j11 zMa(0X6I%ZjL_R^=-i=y>Y-;bOT8+MNxh;ky2NGCKvEuT&Yi8j@Q_QOU(#jQ10 zx_w0{&ml7H3Y~YI0AEqc3kjuoEs;g2Xw&IGK!qhY*@R9=0-?e|@czAPsVj+)h1gr@kg#*1lz}KuiQ$)zu#H)0vrP l?Qd#3Slg7J+-xP}TNx>yN0Hn7gNj?4TWjk)AyGRV{{Y3`p7a0! diff --git a/umap/locale/pt_PT/LC_MESSAGES/django.po b/umap/locale/pt_PT/LC_MESSAGES/django.po index b4d0f3ff..7ba926c3 100644 --- a/umap/locale/pt_PT/LC_MESSAGES/django.po +++ b/umap/locale/pt_PT/LC_MESSAGES/django.po @@ -9,15 +9,15 @@ 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-14 17:09+0000\n" -"Last-Translator: Rui \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Rui , 2016,2018-2019\n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/openstreetmap/umap/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Language: pt_PT\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"Plural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n" #: tmp/framacarte/templates/umap/home.html:8 umap/templates/umap/home.html:9 #, python-format @@ -71,7 +71,7 @@ msgstr "Procurar" msgid "Secret edit link is %s" msgstr "Link secreto para edição é %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Todos podem editar" @@ -83,107 +83,107 @@ msgstr "Unicamente editável através de link secreto" msgid "Site is readonly for maintenance" msgstr "O site está em modo de leitura para manutenção" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "nome" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "detalhes" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Link para uma página detalhando a licença." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Modelo de URL no formato de telas OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Ordem das camadas na caixa de edição" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Só editores podem editar" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Só o proprietário pode editar" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "todos (público)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "qualquer um com o link" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "só editores" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "bloqueado" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "descrição" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "centro" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "zoom" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "localizar" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Localizar usuário no início?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Escolha uma licença para o mapa." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licença" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "proprietário" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editores" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "editar estado" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "partilhar estado" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "parâmetros" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Clone de" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "mostrar no início" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Apresentar esta camada ao carregar." @@ -277,7 +277,7 @@ msgstr "Inspire-se, explore os mapas" msgid "You are logged in. Continuing..." msgstr "Sucesso na identificação. Continuando..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "por" @@ -290,8 +290,8 @@ msgid "About" msgstr "Sobre" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Contactar" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "A sua palavra-passe foi alterada" msgid "Not map found." msgstr "Nenhum mapa encontrado." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Ver o mapa" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "O seu mapa foi criado! Se quiser editar este mapa noutro computador, por favor utilize este link: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Parabéns, o seu mapa foi criado!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "O mapa foi atualizado!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Os editores do mapa foram atualizados com sucesso!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Só o proprietário pode eliminar o mapa." @@ -373,6 +373,6 @@ msgstr "O seu mapa foi clonado! Se quiser editar este mapa noutro computador, po msgid "Congratulations, your map has been cloned!" msgstr "Parabéns, o seu mapa foi clonado!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Camada eliminada com sucesso." diff --git a/umap/locale/ru/LC_MESSAGES/django.mo b/umap/locale/ru/LC_MESSAGES/django.mo index a15647ac93011e22a9ddc0b8ffa02a447519788d..57e914b8b7e4c7bde60091a3482816817ad2b6af 100644 GIT binary patch delta 1841 zcmY+_OKeP09LMqh^r@w$ErZtUR<)|_Ff(n@>6Es#s@~ExUI`-6g;z;R7Z@~11d%j$ zqOtLcXlPW3MZ-dZ4Z^~LMOWHHh?ICWzQ36(;UE9|x%W)(J?EbPIoGqsGmX)A*-00S zSVvAFZzh=S#z-;;;!}#*RQ!x;@}`;{ZdGv4ZIq}ipNjJ;HiI{{%s0a8_1FArET!&+Ev)jHC^SSOoJ?A3Mz&kh&U*jzN zfQ;F)M#pC+7jx;~iaF7g)uY~YJ)XjSI32&E-YADraB2=tz*5uz7o&sAQTOk{K|FyP zNLxm{<1VDhE~10iG1|__Q%(+G4X>4p_fRwO64k)~vMg)}HIR>}fegF9dnmMOoyI}! zIjH*zP#yYFr3<_5D^SmA_A>vP>PDz`YQH!w$*WeH?#t3y#?T@0?)FoVi55_V73px2hLpg?6L6pf_Q8(_#O6)_`{u8Q$ zbPBEC8?Y2lV*}npm1YE&p^po-Z$UlxitBCHhfz*8^TQK7k2BdDHFy`boxUP3Yd#9A zDJwv|aVcsWEyTIlf?6vlQ3Jh#ZP<_X7^JZg526O%k83fSM8P%HEvN@;D>OtLD zhxhRf{=%jBia*jDP3EJ);(YvwH$40ub_F4XJu6G|if!2&s}NN=PT#C$xC3HTTt_yMEv2kQAzHe;Nag7H|6 z{CP|*zb+cKVJdnt0=sY`zQA!ffMapQNdJQ-7RPg)fcn22bYnHf;6V(-v&a}sJ8A+Q zr~zHYLi#sPs3g*08)Zx^y3meA7=o3k7pz4MY%{9kMvTP6R{I%D=K2EaJ>8guZ!j8v z;|z3+9-crRM$x}1p)vuhP^sI2n(+ZVg6DAxCegcQRE#v4a*V?@r~z(AC+}NNCN7<3;8pd zR(rA4z5>k>xh6s0YvC9=weDzXV40D~NPs0oRG7 zO)uVzwb+E(l)bnLBguaW)}Yq@5^B$MMU(#=Dt$D}$2fLQ7Op{-%N#>J=*3)ogUd?d zuq44$qcT^Int3DYSnb0!^rH4mH)_D|unC87F*eayhMqfAG=m|m#1a->DfgmYa1k}5 zho~3zV=;cmmzdAZQgra~(2O=9$ute9_7x9j*ki{tZ+#5<9)A!}XRe zIGyV@e1;G35uR`ke=jOIvopEgizLl-p!UXn)Ic60+rvD!?)RgX=qu{EB#wkb=f8pq z?>0544n3#`JCNlzcdhGZmVL;+GM`X;CMcN`f<>tBK>^bZLMHlO8DU+`#g&AzQA+>* zoxTcHDhQ=ZDXJn0h(bb3K*s&4*LrIgFCqd(9WNl36543_g!X|ZqS@+HvGisIp-HVK zR6Lro(iJE!D!D|a)ewwK^lwqB7ZPE_aw3aR(dN`QKt&rdhae&TFDv->L@G`rmJ!Na z9{rm+RGdUM5hx?6=);mi%phhHfug0-I{sUS^`e?YtekF7git4X}>@ diff --git a/umap/locale/ru/LC_MESSAGES/django.po b/umap/locale/ru/LC_MESSAGES/django.po index b7cb3c77..ceb7c92c 100644 --- a/umap/locale/ru/LC_MESSAGES/django.po +++ b/umap/locale/ru/LC_MESSAGES/django.po @@ -12,9 +12,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-08-27 14:21+0000\n" -"Last-Translator: Nikolay Parukhin \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Nikolay Parukhin , 2019\n" "Language-Team: Russian (http://www.transifex.com/openstreetmap/umap/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -74,7 +74,7 @@ msgstr "Найти" msgid "Secret edit link is %s" msgstr "Секретная ссылка для редактирования: %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Все могут редактировать" @@ -86,107 +86,107 @@ msgstr "Редактирование возможно только при нал msgid "Site is readonly for maintenance" msgstr "Сайт доступен только для обслуживания" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "название" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "подробности" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Ссылка на страницу с описанием лицензии" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "шаблон ссылки использует формат слоя OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Расположите слои карт в окне редактирования" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Только редакторы могут редактировать" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Только владелец может редактировать" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "все (без ограничений)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "все, у кого есть ссылка" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "только редакторы" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "блокировано" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "описание" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "центр" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "масштаб" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "геолокация" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Использовать геолокацию при загрузке?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Выберите лицензию для карты." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "лицензия" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "владелец" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "редакторы" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "статус редактирования" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "статус совместного использования" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "настройки" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Копия" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "показывать при загрузке" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Показать этот слой при загрузке." @@ -280,7 +280,7 @@ msgstr "Смотрите чужие карты и вдохновляйтесь" msgid "You are logged in. Continuing..." msgstr "Вы вошли. Продолжим..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "от" @@ -293,8 +293,8 @@ msgid "About" msgstr "О проекте" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Обратная связь" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -338,30 +338,30 @@ msgstr "Ваш пароль был изменён." msgid "Not map found." msgstr "Карта не найдена." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Посмотреть карту" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Ваша карта готова! Если вы хотите редактировать её на другом компьютере, используйте эту ссылку:: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Поздравляем, ваша карта готова!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Карта обновлена!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Редакторы карты успешно обновлены!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Только владелец карты может удалить её." @@ -376,6 +376,6 @@ msgstr "Карта была скопирована. Если вы хотите msgid "Congratulations, your map has been cloned!" msgstr "Поздравляем, ваша карта скопирована!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Слой удалён." diff --git a/umap/locale/sk_SK/LC_MESSAGES/django.mo b/umap/locale/sk_SK/LC_MESSAGES/django.mo index 00edf92796ee3110de7c41ac6bb4c951d3045f99..bb46b5a77fdb57c874e5b1506af023e5debffc0e 100644 GIT binary patch delta 1729 zcmX}tduYvJ9LMpm%bA(Ynavyw`^z*j&ai_wtv2h?8ZO9gC1HIzmKh=`iIlujW&+q$upXWJ_6n`#?yh-cZXtd?T z2;y*WvyJ$>FCVm~1Tznw!*O^C1Na@#gVuV9Xy3TY{f+Ez+AJ4 zeV~)a1us{Vu@p0LAr8e#9E7`Y7&f?nKZkz4x8Y#yMsl*m{$>nmUR2^fR3amBCYIu8 ztiuf6Z^!ARa^W&+()UmUJVYh*81>>;I1qoj*F8yQWB8ti8CZV;cSGpKj3A9AlBMOEqqYN?vt z>o-y3w4o~7j#`qZs03dOr2cyFoqNMqeA0_bpdM@`s~miUMfd|(U@mV7;!f12yNFE2 z?xH627`4V-sHIEhCXF{9HJ%?Q;!4$@ciC<(Xe}Gik1^DP?{Pf-LI<;1*g`DFT-b$o&!PrlS`ok)AS6cO8bx zJPXOu@=zt6gDUx2WL2!zbq{KsMvQMp)S5S=D%*k_FuQ>o?;)mG6~~AU6S2hvxy0LC zKDB{#oRqDalG7vPXE^LFHp>!^P;q_2|ZJI28Az7tdh^wqX)}#BpX3 z`${E;hT*ijZ~+d+r8p3qupjP5K6aExCZ0t7?mGIh0|%h1w;6LYAJVmDqZSZAO{fUV za0&Vt-}X^Sqv1UE#XFdQ&rlt_LQU*FYT$2}itgk;?Za>+-*Zs?RN)8=VSn6-WAG3% zM{7l8=pGJYe0xDfsq03qI3>kw2adwwcp9~$yU54dc%F=Ajf_L(ZAqLUr%}b-13R ze&2=4n2W|-%*0Vxj#^ng>g*gu-I9x_l((V!dxFYPq>~C+ik&E}+{4L=ViCqNfZC#N z)QTKjVzs+b@0FphRTX;KvU*g8_HZJ3#V#OCb{BOE-r^Q?v5IEh{~c8H0|(R53z?_^ z1E?7n$DM|n`5a`V z-;|n#gi@&e{9EQw$tH9NClEQrY$A)8ODNTxJ)1_96XS`g1bbT&yAsr6M_cNo`iK&u zf|yKH5<00W+6SG^;+DgSU5=!=q0p)o!IgC_dy-BiRuuaK1^&P!Z(c!3{^XnhC3#_R zLz90=V=%m7ZLq1KvBcZluqGH@(Gae!39bxzr~LPIdQD>}lv~p{wPmZjxo2u+aNUhF TH;*-iyx|+i>RWz#zV!MH#u&A< diff --git a/umap/locale/sk_SK/LC_MESSAGES/django.po b/umap/locale/sk_SK/LC_MESSAGES/django.po index 64c20baf..09ad8266 100644 --- a/umap/locale/sk_SK/LC_MESSAGES/django.po +++ b/umap/locale/sk_SK/LC_MESSAGES/django.po @@ -10,9 +10,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Martin Ždila , 2014\n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/openstreetmap/umap/language/sk_SK/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -72,7 +72,7 @@ msgstr "Hľadať" msgid "Secret edit link is %s" msgstr "Tajný odkaz umožňujúci úpravu mapy je %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Hocikto môže upravovať" @@ -84,107 +84,107 @@ msgstr "Možné upravovať iba pomocou tajného odkazu" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "názov" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "podrobnosti" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Odkaz na stránku s podrobnejším popisom licencie." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Vzor URL vo formáte pre dlaždice OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Poradie vrstiev pri úprave" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Upravovať môžu iba prispievatelia" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Upravovať môže iba vlastník" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "hocikto (verejná)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "hocikto pomocou odkazu" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "iba prispievatelia" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "popis" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "stred" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "priblíženie" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "lokalizovať" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Nájsť polohu používateľa pri štarte?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Vyberte si licenciu mapy." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "licencia" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "vlastník" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "prispievatelia" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "kto môže vykonávať úpravy" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "nastavenie zdieľania" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "nastavenia" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kópia" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "zobraziť pri štarte" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Zobraziť túto vrstvu pri štarte." @@ -278,7 +278,7 @@ msgstr "Inšpirujte sa prezeraním iných máp" msgid "You are logged in. Continuing..." msgstr "Ste prihláseni. Pokračujeme ďalej…" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr ", autor:" @@ -291,8 +291,8 @@ msgid "About" msgstr "O uMap" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Napíšte nám" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -336,30 +336,30 @@ msgstr "Vaše heslo sa zmenilo." msgid "Not map found." msgstr "Žiadna mapa sa nenašla." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Prezrieť si túto mapu" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Vaša mapa bola vytvorená! Ak chcete upravovať túto mapu z iného počítača, použite tento odkaz: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Gratulujeme, vaša mapa bola vytvorená!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Mapa bola aktualizována!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Zoznam prispievovateľov bol úspešne upravený!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Iba vlastník môže vymazať túto mapu." @@ -374,6 +374,6 @@ msgstr "Bola vytvorená kópia mapy! Ak chcete upravovať túto mapu z iného po msgid "Congratulations, your map has been cloned!" msgstr "Gratulujeme, bola vytvorená kópia mapy!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Vrstva bola úspešne vymazaná." diff --git a/umap/locale/sl/LC_MESSAGES/django.mo b/umap/locale/sl/LC_MESSAGES/django.mo index 8329c51c782ccb10779220676305cce52d2a990e..c7d050a0a2b138c3280347d96cb49d07bf60ac9e 100644 GIT binary patch delta 1855 zcmZA2OKeP09LMp$w)*mDwH|Fzw+{w2HB)VARaHAmX(=HVB21-TeMs8Tq)3J?NF>6B zg@}rshJ{vQ(U6cdQH=;Y3qmX!?;wPP#P@gS+BoTdKIfjf_nve9=bY(C+4ZvM%Z!8z zMrkJI5SQc3+Eky&2jyX+*<2h&HI3tZ{D=X}Ofp-EAsd2`6JO&c;)ih1YNz4r4Yx_P!rSKiBaoX45f4k)O#YBk7qCwZ=w(H zBV)CiH19!(FI> zte+C=xD9Et2s(HYqerM*qtb&}Oe+V^p)xUmYzG@g4d5PX03)c5pQ2{++-ra9wSPx- z^ar(MsobRd=b+wGh{|wL8u{1S1ZYrd%25xl_HJmz+Y`*T;9}Ync^g@?ATGr!T#M~k zhlA+DA4uPp%TAPj)WoV#OSJ>FS&wCqf8K4EXi%yL(7{K@JM6u8{Rg${b6HTT7D5eZ z2kO-HVF~tQIX*+pIE5Xl8Bar9XQ2k*;6@BZsW?>5qc+zq)UF>xrDz;Azz?XI|3lkW@ z-XN2+52($hFE!8tT!9Nw_lNmNV(EHOnL5eN)SkM5%IsaN)cJoxWj76}^u7lVA!D*J zR7bBd9>1e9@C(&p0t>2{r=VUq12u3TYM{%#?`u#UH=>^3h3t1bfbly2Jyf(dN4*>R zP!F8-uCE{yu||TbTS9zl_F7BE?-qBRz4~%2Bbo^uG zTu&$)8lYyaq7$N`S?U+9m{>rlXb&j;Dz$_rqOyq4hGW&-lTw8$>fbF&waUC0?pms< zpGuYT818TWGU_@7{7_mGq5b10{*`(v3khwsr9=^-W2zIhj?gl(kFCaRt2IzrLaZiy zghQwVW4OmEkGlTJY#=I#%|s!gqBYftsU)h2NkcCZljDXyC66Xr5__CN7_x)Wulb!V6&$*}VJ?H$- z|8}D8PF?2D;zi>|>mU+Kq%|cj( zpJErXR{Iv2(~_tSjG`8F8k?BkF4C!B;CC#=H&}#4ezQebfx1C8YGE5t6K}&$@L+bl zA1k>&iMr1?uEwiaf)8*FK0|H5{}CBtek-A~94k?&Yewz36Mw<)a23v@c2vwN=vo;r z#Qh~_b#2-)#8T@!*;xovQjbp~4bD7Qv-o{aEU|U+yBq|fXA!T7tPz(4A zwSX6>iRV#g{U$r^=R)I4Q4_619bGUx-h{eOYa#hpiaQw4*>s{((}Vh9FY5CIPUM)S za2?m>+>I>SF5HM+*or@54DaF^TueGylSQ(|P#fz)9aW;3{HtouGQhoU5|!#(=-^Z2 zUY5fF>be9~{So9N`v$e}1ZrVv)Khc`H{ng(f^(>h1gK2yJcPQAWawxmjkpJU(ZOq| zBD;^O?pahOa;YpW)Q8HzGE@yzq9%@_j;04A*oV5$1+2pBsP8{Q2QzbYw1YxMm8w!y zMygOhjG-nxjANKUJ-@T4qk4yI&U_52$jVU*-H!Fxg1qc|-U@OkI#i~9r9!E#jNPT9 z6#s!ye1%7_n%R5tXJm~wi<;;y=He0#QW+>kP3WL@9zfl%7PasgYN6fP&kv!B`WX84 z{EyM0@a-qmjnARZ=Dha>&Jy*5iR|?>vJq=1G~rr8O}h*e4Z5J!Enr`v{vkO*Z=o92 zQ7PM+|9$Jo_P)S2VmGms2oh0ZGZ7=I31vi0Pl+mBXX_9(gf^qLk7)LK{AnSH^@^_r zwZSb!M%ApQ6zwH;5}kya(yiiCYbBJ<{lu4qn$B@M(M0Gd)YcP}gx4y0S4L|WF1`BT z&-HyHs|)+z#gK}Q%z7=vyNZ&d_WrBuy-}VLtjPBNLuaj~$8iU-htQ+9ir7f#k4sO2 z*8*$%Mp7v^IecU!?WStd&eY@l*Ezm6*X=(V?>jzq&o`6b-Vh2$LgB4WZ6vy>J{YF? zJL2i#(1BDunLZI89!f=>v7uw}\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Štefan Baebler , 2019\n" "Language-Team: Slovenian (http://www.transifex.com/openstreetmap/umap/language/sl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Poišči" msgid "Secret edit link is %s" msgstr "Skrivna povezava za urejanje je %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Vsakdo lahko ureja" @@ -83,107 +83,107 @@ msgstr "Urejanje je mogoče le prek posebne skrivne povezave" msgid "Site is readonly for maintenance" msgstr "Zaradi vzdrževanja je strežnik na voljo samo za ogled." -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "ime" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "podrobnosti" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Povezava do strani, kjer je objavljeno dovoljenje." -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Predloga naslova URL z uporabo zapisa OSM." -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Vrstni red plasti v urejevalniku" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Urejajo lahko le uredniki" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Ureja lahko le lastnik" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "kdorkoli (javno)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "kdorkoli s povezavo" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "le uredniki" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "opis" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "središče" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "približaj" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "določi mesto" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Al naj se ob zagonu določi trenutno mesto uporabnika?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Izbor dovoljenja za zemljevid." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "dovoljenje" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "lastnik" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "uredniki" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "stanje urejanja" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "stanje souporabe" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "nastavitve" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Klon zemljevida" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "pokaži ob zagonu" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Pokaži to plast med nalaganjem." @@ -277,7 +277,7 @@ msgstr "Poiščite zamisli, prebrskajte zemljevide" msgid "You are logged in. Continuing..." msgstr "Prijava je uspešno končana. Poteka nalaganje vsebine ..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "–" @@ -290,8 +290,8 @@ msgid "About" msgstr "O projektu" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Odziv" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "Geslo je spremenjeno." msgid "Not map found." msgstr "Zemljevida ni mogoče najti." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Pogled zemljevida" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Zemljevid je ustvarjen! Za urejanje z drugega računalnika uporabite povezavo: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Zemljevid je uspešno ustvarjen!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Zemljevid je posodobljen!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "seznam urednikov je posodobljen!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Zemljevid lahko izbriše le lastnik." @@ -373,6 +373,6 @@ msgstr "Zemljevid je kloniran! Za urejanje z drugega računalnika uporabite pove msgid "Congratulations, your map has been cloned!" msgstr "Zemljevid je uspešno kloniran!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Plast je uspešno izbrisana." diff --git a/umap/locale/sr/LC_MESSAGES/django.mo b/umap/locale/sr/LC_MESSAGES/django.mo index 54b6c595e8aa1200eb628af6971334a0c5f9f2e5..66d52d8152e90daa3c03fdf37926500daeba21f9 100644 GIT binary patch delta 1847 zcmYk+OGs2v9LMqh=#)*bQPX^sHf5&iOwCMM>1d9YJ=E-hy(3(hn=&hyD5x$J(I$v6 zcS6|8Ac7itELuiUkc+4m3AJ$3gQ6BfMOfe8%ndyFpU*jWy!V{@KmRjNS|>L+?{mF_ zM%zg&ByMMz^EI%)@=iTJ0DzrzKDeKZjb# zMQp@jT+ICTflfXbJTuL*u>ieTiF!Z?wV+zm#4R`%54zWnU>W1nsOJpf61<1=@C{br zCuGf*Gb^2$Vk~BUtD>WnwW8j1FJ8tIxCnot-l&LG(6s>0#~^Bf>oI`ssQZuNXS{@3 z$niPpi3gBNHiQAZg-(Lb3p%GT&TAFpLsTYSp(Yqd%EG>&7V-_XkO}vD4;!t$_VJH}QR9(AKq)Qh^YA5Y_1)c;N3sK@L#u4Me2r>dBK zp^7kvG;YML*o4=y3SXo4{;z8Z`%=j`Hjn(P7<#y%f4qq#!(QS#9K!}Irm{5A9@MxW zm*Z`$z_(bBlUR*)6hb#1MlI|qk}S($-{@KnYFy#a(T%II2Tx!#zQx5@$gJ9mdQ@iG zQK{@g{;Zb|E#y4vSdO5IbQC-ABd*0-3S$c%!y0^q>(Tj2M=ObNmr@i*o$Esw#H*+` zc#Jiq{wH=Z4skZMunVaB1~7tmkw@A%#_Lw zXJsJl+JvgkPItTu^BDIaFK=gX3%I(x2_~q&}!QV6}ws}jX8SL z4TR2XEwPkPQ!2L-EyPYjjl+=oeNexd;1t?+Vl$zpLR?4agv=z=bQ)CgI|veGnS{2p zgCK#9`RM#_Dk!y9LPe!?s|5-DKB%y$A6rAH#fX49Q<`c*O?%x$v=gc;%E?v`8N@0g z)yk8(S(zEhQs0)Wxsg?&NF)@E1|l`};qX8ryJc1|5DiD_LeX$EoP3zw>rJ-iJ9GX4 D&zP2H delta 1911 zcmY+_eN4?!9LMofqAPKe$U|~H_n^9^xGKq2D0!+dvo)z~gv|&Wb}NK?KkQeVKU$ml$1=trv>B#(e{R2wv(9~;bMF29&iQ@M_x$S5dy(&Z8yV7K zC?(VwYFn@|yRm2}AC!ntVh445_{2!KT+3*IgD{(97baS z^5-+$D)4c!6YojD6Gd}cm`R6xrBOv z8>j`{#)ZspUeTD!fFsP9v6z4nn2RB}7IlO5sD+iGCa%U&*l3TR#_9C0qVCgy)367} zU_Z{r$Poh%kcm#_H%n+t#1d5KcA=iQ4v*q_oPyJsT~FjihD-sD!*!?y?m!prMP1*5 zAMp-qA?HR8O#BcTG9Bo1(deR4gWqr;ZsW1Epm(T9{6b9-&W4g6CJMEXXw*VtQQs#Z ze^AI2-$HV@QBZ`gxd$KHQAAPzwxa-;_JceKZ&|8|;Cds0$BaB|gB#7{jbe z(lXSR)S@EPj0)*_sZLkoI=I;LMx$r?pM6k#%Y@E{hTuZ>1JjecB$bNRJawjULu zCUoO9oP%#rPY_Ikq_YJ%SW15nXHW}!iMp;EQ}H`;YZK4QB^SM@`Ho<75c}V54;1qD z;J3zydXfvM8~E`)zQ=obk)xmm6}tvrSVxd;HCIrP@S}330~MhzyWfMe=zl<+CMV&H z)cH@Lp^3eyiOWzC*k{{_O48GI{{phj<|Yyh^8|aa+y4F@XDx_6&-Gs!V)y3ZYN`@+ z8S@8Lxdv6VM>DANsU_5GsuEKRB+|x9)l(|OdDOw81uvo&QnjyHRGkcMiSj|GO53oC zs>K&mReTCbSfDxZq3mBkO|!>>kq7!)$j3lJDk3YX+DjF7C-4qXTT%2-^)@6Zfx-a_ zoCGE13Th5DlljeD8ZK%Eb+8Plp%;serjAuIb+Bmfl!*V9e7mDOP|hs>_e\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: kingserbi , 2019-2020\n" "Language-Team: Serbian (http://www.transifex.com/openstreetmap/umap/language/sr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "Претрага" msgid "Secret edit link is %s" msgstr "Тајни лик за уређивање је %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Свако може да уређује" @@ -82,107 +82,107 @@ msgstr "Могуће је уређивати само са тајним линк msgid "Site is readonly for maintenance" msgstr "Доступно само ради одржавања сајта" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "Име" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "Детаљи" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Линк до странице на којој је лиценца детаљно описана" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL шаблон користећи OSM формат" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Редослед слојева у пољу за уређивање" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Само уређивачи могу да уређују" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Само власник може да уређује" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "свако (јавно)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "свако са линком" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "само уређивачи" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "блокирано" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "опис" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "центар" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "увећање" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "пронаћи" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Пронаћи корисника при уређивању" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Изаберите лиценцу мапе" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "лиценца" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "власник" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "уређивачи" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "статус уређивања" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "подели статус" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "подешавања" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "клон од" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "приказ при учитавању" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Прикажи овај лејер при учитавању" @@ -276,7 +276,7 @@ msgstr "Инспиришите се, претражите мапе" msgid "You are logged in. Continuing..." msgstr "Улоговани сте. Учитава се..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "од стране" @@ -289,8 +289,8 @@ msgid "About" msgstr "О апликацији" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Повратна информација" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "Ваша лозинка је промењена." msgid "Not map found." msgstr "Мапа није пронађена." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Преглед мапе" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Мапа успешно креирана! Ако желите да уређује мапу са другог рачунара, користите овај линк:%(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Чесистамо, ваша мапа је креирана!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Мапа је ажурирана!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Успешно су ажурирани уредници мапа!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Власник мапе једино може да обрише мапу." @@ -372,6 +372,6 @@ msgstr "Мапа успешно дуплирана! Ако желите да у msgid "Congratulations, your map has been cloned!" msgstr "Честитамо, ваша мапа је дуплирана!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Лејер успешно избрисан." diff --git a/umap/locale/sv/LC_MESSAGES/django.mo b/umap/locale/sv/LC_MESSAGES/django.mo index 6d515c1fab555f255906edc0de3256d1edfae330..d03a97a035f03b1b84aee4527767bfe5a5ee4ad4 100644 GIT binary patch delta 1842 zcmYk-NoZ416vpw>G@8a*)5f7Tbx3V$wQV$s+M3ka)~R(WB8noSAcA8T(TYPBb%HKj z6h(1>ZX9p`4dPN=3Dt!tqKN3C3#nD9iy-Yr|6lS1FFpC)cayw(?!D)wgY{4AQ=k3r zi$-fBCK2~sW(RP=2wrG|Bh4n`FVv9FV^)RZF@lZQi2HF0-bO#ZKp%cYeg7K zNGC4D9;{$~`$A_t19_v&im?>kI0JQqFe;&WsEL>17~JlR@54&2J5cwzhSTs7j>UIa zjr~Z@R#KSTnE(cu-)iV+%bHOu-Gb+^9jD?DYDHyaLDzyf0qal+F2^9YpuWE!zu_5F zB8Q7|6L%v+b`67g2UAHpy>yP?5|$OfC#aoxgPNcZDGM7wCGr!MNXB_TkAv1(dwJ1# z8R~mgs0qWUqf0pBt*HBK^0EKg>TL|@jCP{7XbDW13ttA_G2}M*j^n?E3#JGg<9xgKl`sD>taA>dkdAobJPUAs3Z7}EY?PIpemwr z)YB42=CIAE8}3CFVJF7$GKTOa>b`@HLyoQ#pVs44h)ozpec=e|F}aF5(=_JeE7TUh zMkVygd4B-4LN_nm+X5KJS*V2fq84%%wa}YbhpA_DcmV7NY9+s&4|u6Cx>kwY+v0c{ z*P(XiExIv-6t)ecp8pYKt(AswE{2h}Y!|vYx?`x%onlq0Kf6vx3EV|h>tj5IAMhx) zk*>D77nR^wRILo5&i)T-LKpk5ohd|Jm!du&bc{LgHzB8K8?Z>v|86>}#&*<7I#4U? zbjHu4w)%qO4ea9jJ}Qwo1;oN^HK7DlaB5ohY+}AHXxa_6bwq+-Bh1bG*`^}YB>%US z&cza3L98L_i5enKsKAyJsvjMZnx2~Jgnp28-ZKbQyxMv~zkF)p9G23`n+QFx^N0|k zrY&4cEF;JQK*Tik=^V9#b7BB1wELQ zJp=_6Mbv{r1VKdvC1DUjK@mMfK@b$xOIGy%rZeHjHNSKAnRE8qd+jscEBaCtdYkO( zF(iW4~ZpuRUBb8#b%!=pF~&muY41=Iwt zpc1-)ix}SqILM^K9cPw`K1{-;=)x-018Px;ZAA^-ies?L=|6+hIKPN`&LfgqY|XcN^v~apc34HUfhSezXw0z zO;jSi3I7JZi*(r|40$%5A4nH=e_Tcp3FQ4_R%BV!2VJJIqs+ z*aZyWMVyB(Fo^Li>r7mYDoqgHe){q@Ci=GU#RD2hPbK&pJM^)^(w{{SdY5lD(ba)imL5< z9D%=4C5U2LN-P0&Jp(n`?)`FcFLamUC>|B_IY;?;({T>vdCRl@WaVv6*b)zea`d{ZjU%W-yTDn100&h^e z_5&WmSh6^P$52Z?gi0`-b=IEoq4t0uHDCd1Ws05iHK^}bIW~l^Q~!1jD6e&(5;%j} zl$TI5xrUlqztevQwbb_=pW#W)-=Y#}VI#3O!%4#brgEtj5$lLm#A?P5XS*KNDhSnk z9#Ksc6N?CKPM&Wigl3@{t{@^!2`wSYh*Dx9kw@tDokb`y7SbvSm2U%~7Rus7vy3z! z2MY-8Ry8fD$`EO)-7-Qew3bj!)l@?L2B=X{n@{N1P-(t>q0nA%`C`$InKjf$Xx9pGNwgQ6F-TX z$QfLR16aWL_K8Y14GA;NGB5{|aT%(EAZkLZPy;vMT-@Wf@5iOw_oDjg$0hg(v+ymJ z-~=*f%bYd6GCuS%zLinYk~N{;bSIw2Be)oUquwZ&Sx_}U&c^_1f{p0MHq`ffa1zg= zCUSVr^uSktmCzO_yn~QW2gbfk+iU{sEK?>O=QY_p1?+HuhY1w zJs0)8BGiCE)Ye7Z_I6Z1+tXQpE%k01v`2eUOVo|};vwwC6R5wN(tU#2A1vnnD7~_K zb_=WU4%XlY>_Q*QT7kW&6~4!XM>dSwvR7W#zktdQ8njnlE}BR&D$4`t$4=y9N4e3g+6`V=q8Z1Kf(}irmok6|WCHKBBMnze97kA(b)UjGfCQ-Ex)Xevx zI*6h=IE7m3i|+HAs5cvO+n=IVViZf!L&B6}2n(?bHBRg_741bFb=-#C2k(%Nc{r>} z!hF1dwWv3JiAnekHL;(l75R(muaHa(VmWHUyReL{>&E5WU*;&0V=;S9MFWkYet;(M z8m6$0SFjK1(<+!9kE|Kh;a=1V9B}WCqb73By}yk5-fdJeKX#vwpjK)O=ji-@rlJ}D zavC^psATgn8@10yWpfsCP%IB`U@39{>>2W6)W9&iSS86z!8r6QNU~{ZuyUxYv`E7|%~@@yrda2!=wzaM&MO8L6zi8qKIl3HZa6;ZXcx#?GX8&b*1#e*_$n AFaQ7m delta 1886 zcmX}sX>5!^9LMottKHK3Q0H28l&$JPb$d}oX;q6-;!Lj>OA(FY4T})bNQG)$NfR%4 z(TGG=;*BFDLYjue8!v=-L7G&gaV1iT`2L>Gn(Y7i%*^id%seyy+1G_9ih>`KBDxKw zj+jQ=A8X7(tRBaOk`QIgbWB8bW#b&o#~j>_#dsb)_!5(F5aV$Kb^my`FQSqIhbD53*1Ic z=nj@LzUikjlMeTIV^YzF30Q^^xB>Nmdep>rp$6WIad^h|U&dLqZ=#;_9Mka~CgWes zz@!PIFHnT>jBi#@nSynwrQ45sb^kroRy?-f_oMTMwtpD4B7bl``bnHj3^r1kO{EhxPzbdppHRo@i|vo% z&{8#iR5I3L2OdDZ=?J>eL*{8>>8O>-LOpLYX5kLhggekThW)=nC7X_CoGG@`d`AuB zV%_wIGzBkX0barZWGu6r+36S_K|SyyY6W_2yAL&y2e$nTb>C~$ID^jj?Eh~nS}GT# zY41`|GoEGJK2*~AZGR~$+gIA}tFednHsqj~Z%A%BlZXFBtD~}ns3j_h)r{|C`g&BU zCbS&|L>*B=loHI*Nu+YrWR)W;iEz=t%ZMtXk|-v$s(MrHx00EKHZ_FuXd|H#oXbVa z6fQn0g+!k1(0SLNN4RKfmJ?c`b;M#qMgRR;6%{SBpHN=tl&EkpoP<;MuO*feMf(3= zM8!+w6XBw>ti7B^D2a4-!$rxrAl$I7vg%~y5^HQbOb!+0$_CrP--wfpFi=%>3XDlRWKD~C_MH+M-<-r}z6gpyEa!d6%8>Xx>E Sw=vM#9B2#d3w=%=a{mLSr<+s& diff --git a/umap/locale/tr/LC_MESSAGES/django.po b/umap/locale/tr/LC_MESSAGES/django.po index 235ecdca..150c8275 100644 --- a/umap/locale/tr/LC_MESSAGES/django.po +++ b/umap/locale/tr/LC_MESSAGES/django.po @@ -10,9 +10,9 @@ 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: 2021-01-05 16:24+0000\n" -"Last-Translator: irem TACYILDIZ \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: irem TACYILDIZ , 2021\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" @@ -72,7 +72,7 @@ msgstr "Ara" msgid "Secret edit link is %s" msgstr "Saklı düzenleme bağlantısı şu: %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Herkes düzeltebilir" @@ -84,107 +84,107 @@ msgstr "Yalnızca gizli düzenleme bağlantısı ile düzenlenebilir" msgid "Site is readonly for maintenance" msgstr "Sitenin bakım modu olduğu için salt okunur" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "adı" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "ayrıntılar" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Lisansın detaylandırıldığı bir sayfaya bağlantı" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL şablonu OSM döşeme biçimini kullanıyor" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Harita katmanları sırası düzenleme kutusunda" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Sadece editörlerin düzelteme hakkı var" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Sadece sahibin düzelteme hakkı var" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "herkes (kamu)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "bağlantısı olan herkes" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "sadece editörler" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "engellenmiş" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "açıklama" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "ortalaştır" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "yakınlaştır" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "yerini belirt" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Yüklenen kullanıcılar bulunsun mu?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Harita lisansi seç" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "lisans" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "sahibi" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "editörler" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "düzeltme durumu" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "durum paylaş" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "ayarlar" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Kopya" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "yüklerken görüntüle" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Yüklerken bu katman görüntüle" @@ -278,7 +278,7 @@ msgstr "İlham alın, haritalara göz atın" msgid "You are logged in. Continuing..." msgstr "Giriş tamamlandı. Devam..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "tarafından" @@ -291,8 +291,8 @@ msgid "About" msgstr "Hakkında" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Geri bildirim" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -336,30 +336,30 @@ msgstr "Şifren değiştirildi." msgid "Not map found." msgstr "Harita bulunmadı" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Haritayı görüntüle" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "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 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Tebrikler, haritan oluşturuldu!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Harita güncellendi!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Haritanın editörleri başarıyla güncellendi!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Salt haritanın sahibi haritayı silebilir." @@ -374,6 +374,6 @@ msgstr "Haritanız çoğaltıldı! Eğer bu haritayı başka bir bilgisayardan d msgid "Congratulations, your map has been cloned!" msgstr "Tebrikler, haritanız çoğaltıldı!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Katman başarıyla silindi" diff --git a/umap/locale/uk_UA/LC_MESSAGES/django.mo b/umap/locale/uk_UA/LC_MESSAGES/django.mo index 18bc0d8d1a7e9439e7b1b222104012d596f988c4..7f0392b925ddfb5bea3d74f3a83ea3379d228fef 100644 GIT binary patch delta 1842 zcmYk+Sx8iI6vy%7xGyy>scETWHMx$>OlswlTbrgWCecO|R4=(yVE9lBCDubeL=uDv zBJ@xY5zRx?Ym_8CNks%DWG@*+5kf@|eShN({NuTw|GneA_uTV8_ug)M(;E7i9&^(e zoy1DwzRRo!>tfk3zQ>v6;Sbaycf6SwGtrN=Sc~15k9RR0C((`XQRmO02NM#^vatmD z3t1D}QVz6X8TMlePT&fBfXi_T({L7ZaNhadooMD`zYLe*K_pk}Meb?+sKhU#5*fsL zoWMfvZ!=6XIS`d(mWtUJgT<%|_)rN|p>EuaOYw+v{4}m+e*krzF(1Sd@ zokKmzWz_38iskqgm1s1ZUd%&v`!F`*6jos}7gvIzCML@48tQ_#um~Tb58q)k#_=vD zL~#l~cW=>S-uR^^VTbP%;|3h#ErG zj!}s;l#wpBcx-oe8gU!ZMpP4}#3mw0v=ClGiEC&{))M3v`F5x|dAlQHH`{t=uBFuo z={?l?=zUdV@Gy~~(smHdgw{)gwVH{c<9f&@!mmHV_)Mgh!J_LmwIq^*{r$lL!!M$_m0o ztS2JF8%~dpc7^j3TjQ4o*82hhUohwiRMzAM}SuQ#)eANm*&`f7Shz A%K!iX delta 1906 zcmYk+TWm~09LMp$w%RRaSF7%}OO+~REy|WsE!C|ps(6t|szh8vQnv?LgftQf33W|` z2e%LpUH8z0q*@+i+k_X12tm?BB!~wRe1E%V#bp2IGiP?soSFa3?90%(n#h~%v=*b( z6C;RQDQ4R-+?xx@yY4-0WHhLBIh z8n_nGun{L<3ufVC9F8w=2=?FrOwEixXt_9)doSvDGqD(#<3K!s>39kmgPliB;4*4J zH?WNN+jAN;j1q_zidB2BxI}y+vi>7wQFBEGXN<2BHQs7&QiZ((V*#hV z!f9WOdf`gc5;i*RJKW@79qpw-sXmBWqr=E@+fmemr*Su4LjBImsKSgSAC>ZLq)jP4 zfvfQ<1~G%i1vn4qVlyfe9jHy%lSBSXsHCuCW@8WoxDz$AYp9NH<7E7TTKhZ}SRDqj z68B&sK0>|VBhJB0)<;WGjUjBn<#-)6F^ez^_J#Fx9D`LMCSy zP??A#NwIs#PpuPm9N*$Z9KmQc;1HLs*obA=jpZ2e(Cc(6b*K?Gqej++>hKMY!yj0T zUd~zthSAlFCBiWGr}^{Hb03h8edVImyE$w6Us!=8+nR7be#iD+GzIx~84Z8(66bcA zFR|O#<0RUfu^aE;Q#{OB)tWCQ&*QNP$)=r0?U~!CjJ7%V&rlib#%cHg_53g{*&5Ou zDon!aP;0mawd+qJ%WYRs9X>=3f^{I-wO2S3zuDFdMFX2l)DT+6S%fyMCZa6qRB6zQ z2~A2FSBZ?}qS+-&5tSeja2isOjQuN0^*kb-s3nwA6|J%U15~tclo=8e|7V5x@tlAp z#}*Mf9i`e5Q>pj}ZNg;9q@v@e<<;O7yARnff>FjQ%n6N x$HSh2=q^uf?@^~>t+BSQeZ+y-qpp*&`@Y!SSnIoeXS$A3X^TCGKFQ5-{{{Y5vzPz? diff --git a/umap/locale/uk_UA/LC_MESSAGES/django.po b/umap/locale/uk_UA/LC_MESSAGES/django.po index 84868083..12e8be1f 100644 --- a/umap/locale/uk_UA/LC_MESSAGES/django.po +++ b/umap/locale/uk_UA/LC_MESSAGES/django.po @@ -9,9 +9,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: 2020-02-27 13:06+0000\n" -"Last-Translator: Andrey Golovin\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Andrey Golovin, 2020\n" "Language-Team: Ukrainian (Ukraine) (http://www.transifex.com/openstreetmap/umap/language/uk_UA/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,7 +71,7 @@ msgstr "Шукати" msgid "Secret edit link is %s" msgstr "Секретне посилання для редагування: %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Кожен може редагувати" @@ -83,107 +83,107 @@ msgstr "Редагування можливе лише за наявності msgid "Site is readonly for maintenance" msgstr "Сайт доступний лише для перегляду на час робіт з його обслуговування." -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "назва" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "подробиці" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Посилання на сторінку з описом ліцензії" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "шаблон посилання використовує формат шару OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Розташуйте шари мап у вікні редагування" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Лише редактори можуть редагувати" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Лише власник може редагувати" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "усі (відкритий доступ)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "усі, у кого є посилання" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "лише редактори" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "заблоковано" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "опис" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "центр" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "масштаб" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "геолокація" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Використовувати геолокацію при завантаженні?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Виберіть ліцензію для мапи." -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "ліцензія" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "власник" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "редактори" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "статус редагування" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "статус спільного використання" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "налаштування" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Копія " -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "показувати при завантаженні" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Показати цей шар при завантаженні." @@ -277,7 +277,7 @@ msgstr "Дивіться чужі мапи та надихайтеся" msgid "You are logged in. Continuing..." msgstr "Ви увійшли. Продовжимо …" -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr " від " @@ -290,8 +290,8 @@ msgid "About" msgstr "Про проект" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Зворотній зв’язок" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -335,30 +335,30 @@ msgstr "Ваш пароль змінено." msgid "Not map found." msgstr "Не знайдено жодної мапи." -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Переглянути мапу" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Ваша мапа готова! Якщо Ви хочете редагувати її на іншому комп’ютері, використовуйте це посилання: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Вітаємо, Ваша мапа готова!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Мапа оновлена!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Редактори мапи успішно оновлені!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Лише власник мапи може вилучити її." @@ -373,6 +373,6 @@ msgstr "Карта була скопійована. Якщо Ви хочете msgid "Congratulations, your map has been cloned!" msgstr "Вітаємо, Ваша мапа скопійована!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Шар вилучено." diff --git a/umap/locale/vi/LC_MESSAGES/django.mo b/umap/locale/vi/LC_MESSAGES/django.mo index 9af2191cf1d62b397fd9f9c311a56884e21f7534..b82a05106a028b0f1e32736cd790236008d39f83 100644 GIT binary patch delta 1485 zcmYk+OGs346vy#nJ|@lbnQ4|?HO)~+XGVKXroBiCGbszAMGawT=~y~hEn-62ghfyU zfw*YV!orZo3aU*D7a>^fQX+y9Brs^xqE+ADI6{Z}zn?q*aqd0;^FP;*wd1vsuh~ft zjA&x4W8^L~JAvs*oQR9bW*l~jQyE@CFOJ|2oW>$dOEFuIZgj92*I*|u#~WCQx3CH) zFx@O--?%7bVgd6p)n%52C0Ky8UvV# zZK$;c(Z%!aEElVo2w^E+NB!Utmf$PQ!CBmdzc3r~QWq0;qY~MJEARm3;V~o!>&BlL zM&0jJT5RPuhz`%UyIfqxaU8&M?xIXbP&a;ty73E6y5T#_!1wX_nfUx1Qc_z$Rq$_o zKAlP3Cl|HyLS)y>!3c}7axOTmmXrRV0mBJqyW^i(1*{l9)BQaF;L9G1=U)}kAg;679WN0D8$AS%%i(iYYq|Gpr?1&7_?qz67m61FY( zi<5F9N<}ZBLK~#^Q;JdR38PUjCGR=tieZoudBZm9)>!@tq%knZza)d$x{i@L#`vqt#uxs&*S$y zzWRXITjeFvT7vyyPkUc5)ZZNp_x1&x_Re6a(`o5&j(2s0ordm?uqLkhFYG$k6YT1) YIn&$ISnc?|zWV5Vx<4^mp83S}4++79CIA2c delta 1517 zcmY+^Pi#z46vy#Hr+;YaKZ^SIsA;t|I-Qo9Ds7Nz6ILaH)wG?CA~P~AX<3XC>552% zL@a7yL7FC*#Dax|A|+`2S?Hn*i46&*3%Ve_zv)ysnfpHXy_t94z2}}cw<|^~V&i$P z%SJTNmZ{A)+b>-lh|{TNe5{Xy8~f3VL%12oaRnBpnJq^@I=BxPVGm~DMJ&UsSdPP( zWfrpuI!n3m3m4;(bhBLap>EuPOK>;pcOmrPSzLg3kX!8u^05~jG?90>1t)P8Rx;Q^ zY{4AtL>JGulXP@r4CiA%7U31t4fk<1j$%GeVhN_tG0VdW)Wo-;CUOunu@wt2j2izO ze!}yp@p|Tx0iJKy=s0*2kK+iQzShS~TbdHs9x`fnt)mc~Ju z%t!s+jT*;;+TCi5v3=&J!=kJn`B)PN{a`OfW|o?r+Z~|C-?d7nIUFxDwx^gHy<2tdKOQIE#@>wjDJ<3$DWp z$Xx6JYK0@H@ka3s{=^DA#lv)c5LKLSa>>6k@Rx>iI!fVqZD6C{$K$4*boOj z@G&xBtGSfx%8zMtG_1m*sjL**eLqb@E9z+ckt8-(qfzpSX>LST_BT@Kk;=qWbWzoz zQ10~7&qO&L(iBU)Xj+GIq9Bj9fu^-9p=)WXj0T#PrGEhZ8z__)ZIV|fgqHVj_&8Cy zYJ*i(%CkZn?V)Y9ozt775>u4YHqlf;Dyx}r(^2&(R6Tmz%XC8MFRLitnfiQIMq@D8 z-Wq5-60b^cNp1Ffywx6WjZ;}&>)TZBCFbr5bai|7L<8Zjqk-;7wASg3914V6BjL`D pKwHqM`|q@&BN_~@?}%=Vzs>TcWDZ|^6c2}-(4+XVcxujI`X5-plkorm diff --git a/umap/locale/vi/LC_MESSAGES/django.po b/umap/locale/vi/LC_MESSAGES/django.po index 47de018b..fec4457f 100644 --- a/umap/locale/vi/LC_MESSAGES/django.po +++ b/umap/locale/vi/LC_MESSAGES/django.po @@ -8,9 +8,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 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Thanh Le Viet , 2014\n" "Language-Team: Vietnamese (http://www.transifex.com/openstreetmap/umap/language/vi/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -70,7 +70,7 @@ msgstr "Tìm" msgid "Secret edit link is %s" msgstr "Link chỉnh sửa bí mật là %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "Ai cũng có thể chỉnh sửa" @@ -82,107 +82,107 @@ msgstr "Chỉ có thể sửa với liên kết chỉnh sửa bí mật" msgid "Site is readonly for maintenance" msgstr "" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "tên" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "chi tiết" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "Liên kết đến trang có chi tiết về bản quyền" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "Mẫu URL sử dụng định dạng tile của OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "Thứ tự các titlelayer trong hộp chỉnh sửa" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "Chỉ chỉnh sửa bởi người có quyền" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "Chỉ người sở hữu có thể chỉnh sửa" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "mọi người" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "bất kì ai với liên kết" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "chỉ người có quyền" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "mô tả" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "trung tâm" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "thu phóng" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "xác định" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "Xác định người dùng khi tải trang?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "Chọn bản quyền cho bản đồ" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "bản quyền" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "chủ nhân" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "người chỉnh sửa" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "trạng thái chỉnh sửa" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "chia sẻ trạng thái" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "thiết lập" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "Sao chép của" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "hiển thị khi tải trang" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "Hiển thị layer này khi tải trang" @@ -276,7 +276,7 @@ msgstr "Tham khảo các bản đồ" msgid "You are logged in. Continuing..." msgstr "Bạn đã đăng nhập, Đang tiếp tục..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "" @@ -289,8 +289,8 @@ msgid "About" msgstr "Về" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "Đóng góp" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -334,30 +334,30 @@ msgstr "" msgid "Not map found." msgstr "Không tìm thấy bản đồ" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "Xem bản đồ" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "Bản đồ của bạn đã được tạo! Nếu bạn muốn chỉnh sửa bản đồ từ máy tính khác, vui lòng sử dụng liên kết này %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "Chúc mừng, bản đồ của bạn đã được tạo!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "Bản đồ đã được cập nhật!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "Bản đồ được cập nhật thành công!" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "Chỉ chủ nhân của bản đồ mới có quyền xóa." @@ -372,6 +372,6 @@ msgstr "Bản đồ của bạn đã được sao chép. Nếu bạn muốn ch msgid "Congratulations, your map has been cloned!" msgstr "Chúc mừng, bản đồ của bạn đã được sao chép!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "Đã xóa layer" diff --git a/umap/locale/zh_TW/LC_MESSAGES/django.mo b/umap/locale/zh_TW/LC_MESSAGES/django.mo index c59439ceeb103da609e0eda3f52a7cda17917d32..2e248ff020c16898289d22aef8eb135403c34b12 100644 GIT binary patch delta 1841 zcmY+_OKeP09LMp~(VEt))2X6GP0>!Z9Xit)k3KwFEk^5|AVh@3BPbFhD7g!Scq}Lp zA(CRDAr)qUjYTaa5|0RtNU*34l43CuO(ed*+q2-L|NA-j%sr2L&bg=EvGXzKqd)zk zA*~?B5qCVs?84d%E~FoWjTw(WQAOEaV~Q~kE3pP^a3>bxE%f74%*OYq`d=}CnVH6n z#wp03W9D%!qacpun80D!fn%`?$KW%}!CuVAl>I$B%a{=Nt_BXGSf-+`03KY(iIDo(`vn2T>Q zh+mK~o1CEoGgE*C^l!?@Xv!K60FJ^6)BqbWfQwP}cj8w( zjvC0G;R7AFBSq#a2Cx&I1es@K_TyY$s{kLMX5uxfgI;7?m~W_o^q~flvcIRX&|2#( zE-KGQ)hkAI7(y*wwJmQ(wX-Ul`PWphqd;r45j90yP!)IM0X&R)E`;q3w4ffz<{9yI4kg6C&Rg9uG zXA5f0x1)BygN)5wL$%vw%U_||{cinb{i6!nJn3xRIarEncpK8UIfm-^5~_il_Wm}q zZ_Pv00J>4nzq94vQ0=7b?>RiA7Yd@DZ{`w2XA>DUd_F99jjFc+^~O7F`B@Bce*sm$8~gD!s^jMz0+c%@MMe!|Fs~Z19}nSFYbWw&CiCsl zx2Z!lxDp59X4F8oT3f9N)N_YX?Vmx-*kx2ZH(Xi&M`YB%OKXqy1FFJjd*6p@D1|4{ z!>6Kpr!fr|5!(HFJ0)J!Oe1FMh7=vZEWv6*r(in$yGd`(*YsanVDIK)6A>q-6J^9K zB0@9}I*wUpH)((+g!a?~qLkq4cGFU>I{B2eG)j)%U_Rj`VuUt{l0L&0qMlemD6v=F z^FjG}gr;{Hv5-)jLd+&=2@X3qm2=f}FDG;uY030|qnTj8IPMgacashsrA9($H8bs| z3a&aIv=8)8Y6hWHLj;uhC-LdKNt;+-)M6q`=<}RP=pd^i+*F+Odk1-vg;{a$@TyQa h9EwB&;b?VbWqZOG9b6HJREB3IJAJ=B$-B9^-oI!=lF|SG delta 1884 zcmX}tX-Jeo9LMp=Ot;cB-R@d9Yt6Q{ytd3P-OAGJFfD^1F!P076lFx$(p@A8nrH<} z2KFW?LSJ=3k#xN9MfD~GsTXz#^`e5X==lD&*#`g5XJ+=-(_MGak!OQ@0EC#>emsUd9wmrFXqi0I4!XI2zZZ2Dk&=xDWMw6ZYdx z)Icu9|Lgc3Qf0a@=qB@mOf7!J{aC|mX+UpKGw~DEK^zOp_ApM=K*pd3;zIrIMgB~d ztq<7x)u;|Ppq8-8*4HL5|7z$66`Jaks5Lr=EVrpgJ=lT=unl#ei&5cL{va}}t~ zw;Q$Qb@umbsITD`GG^0_8bGhD*A7+tDM6b_v-(h*CbWzh=Psb$_=>H+k3PzeQO|$DANu~II1SYCFVqhn=2Z>&Q6moELELP8jr^H% zzCrpnJ5kS_z`@vv8c4G>WNky;*N$rc9uC#_|BQ?pdTITLYT%DGhEGA|c+^xnZP|rt z$b)Aw%humT_Gb7rh5t!|Q<_7pAqt7*^dH{oYf-6$(7Mbe%7_KTLP9e^yCy)eslzAO zQj8=WMA|RKL=iEcm`&*OolfYh(yXl}*cxUXp%hHx!ol=EdCAQqvTTjMcO4#)#Il(J zLNl_8$RU)p+jRyg>3q*6w2`$3l-T&;<6ZwdRuYSdJgt8=88_i4B1zM%gC(8N-k3#1 zQVN-wk%D!ZRU1{`{|Z}j(}@F7aeY@peOGVyHPwG?t?M|N?2P>j Dmz|x} diff --git a/umap/locale/zh_TW/LC_MESSAGES/django.po b/umap/locale/zh_TW/LC_MESSAGES/django.po index 9df19b42..f6588a1b 100644 --- a/umap/locale/zh_TW/LC_MESSAGES/django.po +++ b/umap/locale/zh_TW/LC_MESSAGES/django.po @@ -14,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-08-11 12:37+0000\n" -"Last-Translator: Supaplex \n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Supaplex , 2019\n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/openstreetmap/umap/language/zh_TW/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -76,7 +76,7 @@ msgstr "搜尋" msgid "Secret edit link is %s" msgstr "不公開的私密編輯連結 %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" msgstr "所有人皆可編輯" @@ -88,107 +88,107 @@ msgstr "僅能由私密連結編輯" msgid "Site is readonly for maintenance" msgstr "網站目前因維護中設定為唯讀狀態" -#: umap/models.py:17 +#: umap/models.py:16 msgid "name" msgstr "名稱" -#: umap/models.py:48 +#: umap/models.py:47 msgid "details" msgstr "詳情" -#: umap/models.py:49 +#: umap/models.py:48 msgid "Link to a page where the licence is detailed." msgstr "連結至授權條款說明網址" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" msgstr "URL 樣板,使用 OSM 地圖磚格式" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" msgstr "編輯方塊中地圖磚的圖層順序" -#: umap/models.py:116 +#: umap/models.py:115 msgid "Only editors can edit" msgstr "僅編輯群可編輯" -#: umap/models.py:117 +#: umap/models.py:116 msgid "Only owner can edit" msgstr "僅擁有者可編輯" -#: umap/models.py:120 +#: umap/models.py:119 msgid "everyone (public)" msgstr "所有人(公開)" -#: umap/models.py:121 +#: umap/models.py:120 msgid "anyone with link" msgstr "任何有連結的人" -#: umap/models.py:122 +#: umap/models.py:121 msgid "editors only" msgstr "只有編輯者允許" -#: umap/models.py:123 +#: umap/models.py:122 msgid "blocked" msgstr "已經封鎖了" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" msgstr "描述" -#: umap/models.py:127 +#: umap/models.py:126 msgid "center" msgstr "中心" -#: umap/models.py:128 +#: umap/models.py:127 msgid "zoom" msgstr "縮放" -#: umap/models.py:129 +#: umap/models.py:128 msgid "locate" msgstr "定位" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" msgstr "載入時使用定位功能?" -#: umap/models.py:132 +#: umap/models.py:131 msgid "Choose the map licence." msgstr "選擇地圖授權" -#: umap/models.py:133 +#: umap/models.py:132 msgid "licence" msgstr "授權" -#: umap/models.py:138 +#: umap/models.py:137 msgid "owner" msgstr "擁有者" -#: umap/models.py:139 +#: umap/models.py:138 msgid "editors" msgstr "編輯者" -#: umap/models.py:140 +#: umap/models.py:139 msgid "edit status" msgstr "編輯狀態" -#: umap/models.py:141 +#: umap/models.py:140 msgid "share status" msgstr "分享狀態" -#: umap/models.py:142 +#: umap/models.py:141 msgid "settings" msgstr "設定" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" msgstr "複製" -#: umap/models.py:261 +#: umap/models.py:260 msgid "display on load" msgstr "載入時顯示" -#: umap/models.py:262 +#: umap/models.py:261 msgid "Display this layer on load." msgstr "載入此圖層時顯示" @@ -282,7 +282,7 @@ msgstr "找點子,瀏覽其他地圖" msgid "You are logged in. Continuing..." msgstr "您已登入,繼續中..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" msgstr "由" @@ -295,8 +295,8 @@ msgid "About" msgstr "關於" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "回報問題" +msgid "Help" +msgstr "" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -340,30 +340,30 @@ msgstr "你的密碼已更改。" msgid "Not map found." msgstr "找不到地圖。" -#: umap/views.py:220 +#: umap/views.py:232 msgid "View the map" msgstr "檢視地圖" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "您的地圖已建立完成!如果您想在不同的機器編輯這個地圖,請使用這個連結:%(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" msgstr "恭喜您的地圖已經新增完成" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" msgstr "地圖已經更新" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" msgstr "地圖編輯者更新完成" -#: umap/views.py:612 +#: umap/views.py:614 msgid "Only its owner can delete the map." msgstr "只有擁有者可以刪除此地圖" @@ -378,6 +378,6 @@ msgstr "您的地圖已複製完成!如果您想在不同的機器編輯這個 msgid "Congratulations, your map has been cloned!" msgstr "恭喜,您的地圖已被複製!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." msgstr "圖層已刪除" diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 559e67a5..6d056164 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -1,7 +1,7 @@ var locale = { "Add symbol": "ምልክት ጨምር", "Allow scroll wheel zoom?": "በማውሱ መሀከለኛ ተሽከርካሪ ማጉላት ይፈቀድ?", - "Automatic": "Automatic", + "Automatic": ".", "Ball": "ኳስ", "Cancel": "አቁም/ሰርዝ", "Caption": "ካፕሽን", @@ -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 set.": "ዙሙ እና መሀከሉ ተወስነዋል", + "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)", @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("am_ET", locale); L.setLocale("am_ET"); \ No newline at end of file diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 285e8519..e9824927 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -1,7 +1,7 @@ { "Add symbol": "ምልክት ጨምር", "Allow scroll wheel zoom?": "በማውሱ መሀከለኛ ተሽከርካሪ ማጉላት ይፈቀድ?", - "Automatic": "Automatic", + "Automatic": ".", "Ball": "ኳስ", "Cancel": "አቁም/ሰርዝ", "Caption": "ካፕሽን", @@ -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 set.": "ዙሙ እና መሀከሉ ተወስነዋል", + "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)", @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index c8f14764..9e850e8b 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -1,19 +1,19 @@ var locale = { - "Add symbol": "أضف رمز", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", - "Automatic": "Automatic", - "Ball": "Ball", - "Cancel": "Cancel", - "Caption": "Caption", - "Change symbol": "غيّر رمز", - "Choose the data format": "إختر شكل البيانات", - "Choose the layer of the feature": "Choose the layer of the feature", + "Add symbol": "أضف رمزًا", + "Allow scroll wheel zoom?": "السماح بالتكبير بتمرير عجلة الفأرة؟", + "Automatic": "تلقائي", + "Ball": "كرة", + "Cancel": "إلغاء", + "Caption": "شرح", + "Change symbol": "غيّر الرمز", + "Choose the data format": "اختر تنسيق البيانات", + "Choose the layer of the feature": "اختر طبقة الشكل", "Circle": "دائرة", - "Clustered": "Clustered", - "Data browser": "Data browser", - "Default": "Default", - "Default zoom level": "Default zoom level", - "Default: name": "Default: name", + "Clustered": "متجمع", + "Data browser": "متصفح البيانات", + "Default": "افتراضي", + "Default zoom level": "مستوى التكبير الافتراضي", + "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", @@ -96,9 +96,9 @@ var locale = { "All properties are imported.": "All properties are imported.", "Allow interactions": "يسمح بالتفاعل", "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 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?", @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ar", locale); L.setLocale("ar"); \ No newline at end of file diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 4db118a8..2bb2c519 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)", @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index 88991ad9..b0ee5030 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ast", locale); L.setLocale("ast"); \ No newline at end of file diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index dbd9ce4e..b047d8b8 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)", @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("bg", locale); L.setLocale("bg"); \ No newline at end of file diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 238abc08..e014ba6e 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)", @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index 3d67a5c0..a82c8bdb 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 set.": "S'han establert l'escala i el centre.", + "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": "A l'escala", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Opcional.", "Paste your data here": "Enganxeu les dades aquí", "Please save the map first": "Abans deseu 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", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ca", locale); L.setLocale("ca"); \ No newline at end of file diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index ead773df..1b3b00ed 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 set.": "S'han establert l'escala i el centre.", + "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": "A l'escala", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,9 +366,20 @@ "Optional.": "Opcional.", "Paste your data here": "Enganxeu les dades aquí", "Please save the map first": "Abans deseu 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", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ 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 8ec31ad6..f8c1405a 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -48,7 +48,7 @@ var locale = { "Popup content template": "Šablona obsahu bubliny", "Set symbol": "Nastavit symbol", "Side panel": "Boční panel", - "Simplify": "Simplify", + "Simplify": "Zjednodušit", "Symbol or url": "Symbol nebo adresa URL", "Table": "Tabulka", "always": "vždy", @@ -168,7 +168,7 @@ var locale = { "Edit properties in a table": "Upravit vlastnosti v tabulce", "Edit this feature": "Upravit tento objekt", "Editing": "Upravujete", - "Embed and share this map": "Sílet mapu nebo ji vložit do jiného webu", + "Embed and share this map": "Sdílet mapu nebo ji vložit do jiného webu", "Embed the map": "Vložit mapu do jiného webu", "Empty": "Vyprázdnit", "Enable editing": "Povolit úpravy", @@ -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 set.": "Přiblížení a střed mapy byly nastaveny", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Volitelné.", "Paste your data here": "Zde vložte svá data", "Please save the map first": "Prosím, nejprve uložte mapu", - "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." -} -; + "Feature identifier key": "Identifikační klíč funkce", + "Open current feature on load": "Otevřít současnou funkci při zatížení", + "Permalink": "Trvalý odkaz", + "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("cs_CZ", locale); L.setLocale("cs_CZ"); \ No newline at end of file diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 7e16f032..5394afbd 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "Optional.": "Volitelné.", "Paste your data here": "Zde vložte svá data", "Please save the map first": "Prosím, nejprve uložte mapu", - "Unable to locate you.": "Nelze vás lokalizovat.", "Feature identifier key": "Identifikační klíč funkce", "Open current feature on load": "Otevřít současnou funkci při zatížení", "Permalink": "Trvalý odkaz", - "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu." + "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 626a1c42..7b6ffe6e 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 set.": "Zoom og center er blevet justeret.", + "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)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", "Toggle edit mode (Shift+Click)": "Skift redigeringstilstand (Shift+Click)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Valgfrit.", "Paste your data here": "Indsæt dine data her", "Please save the map first": "Gem først kortet", - "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("da", locale); L.setLocale("da"); \ No newline at end of file diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index c2086b4f..5def18a4 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 set.": "Zoom og center er blevet justeret.", + "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)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", "Toggle edit mode (Shift+Click)": "Skift redigeringstilstand (Shift+Click)", @@ -366,9 +366,20 @@ "Optional.": "Valgfrit.", "Paste your data here": "Indsæt dine data her", "Please save the map first": "Gem først kortet", - "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index b17b0dd6..d35fe308 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 set.": "Zoomstufe und Mittelpunkt wurden gespeichert.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Optional.", "Paste your data here": "Füge deine Daten hier ein", "Please save the map first": "Bitte zuerst die Karte speichern", - "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("de", locale); L.setLocale("de"); \ No newline at end of file diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 387953fe..a09de601 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "Optional.": "Optional.", "Paste your data here": "Füge deine Daten hier ein", "Please save the map first": "Bitte zuerst die Karte speichern", - "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index d776f1ba..7901726d 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -33,7 +33,7 @@ var locale = { "Drop": "Σταγόνα", "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", - "Heatmap": "Χάρτης εγγύτητας", + "Heatmap": "Χάρτης θερμότητας", "Icon shape": "Μορφή εικονιδίου", "Icon symbol": "Σύμβολο εικονιδίου", "Inherit": "Κληρονομημένο", @@ -135,7 +135,7 @@ var locale = { "Credits": "Εύσημα", "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", "Custom background": "Προσαρμοσμένο υπόβαθρο", - "Data is browsable": "Τα δεδομένα είναι περιήγησιμα", + "Data is browsable": "Τα δεδομένα είναι περιηγήσιμα", "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", "Default properties": "Προεπιλεγμένες ιδιότητες", "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", @@ -178,11 +178,11 @@ var locale = { "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", - "Filter…": "Φίλτρα", + "Filter…": "Φίλτρα...", "Format": "Μορφοποίηση", "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", - "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Go to «{feature}»": "Μετάβαση στο «{feature}»", "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", @@ -210,7 +210,7 @@ var locale = { "Layer properties": "Ιδιότητες επιπέδου", "Licence": "Άδεια", "Limit bounds": "Περιορισμός ορίων", - "Link to…": "Σύνδεση με ...", + "Link to…": "Σύνδεση με...", "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο: [[http://example.com|text του συνδέσμου]]", "Long credits": "Αναλυτικές πιστώσεις", "Longitude": "Γεωγραφικό μήκος", @@ -224,12 +224,12 @@ var locale = { "Map's owner": "Ιδιοκτήτης του χάρτη", "Merge lines": "Συγχώνευση γραμμών", "More controls": "Περισσότερα εργαλεία ελέγχου", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή # 123456)", + "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.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", "Open download panel": "Ανοίξτε το πλαίσιο λήψης", - "Open link in…": "Άνοιγμα συνδέσμου σε ...", + "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.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", @@ -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.": "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)", @@ -343,7 +343,7 @@ var locale = { "mi": "μλ.", "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{area} acres": "{area} άκρα", + "{area} acres": "{area} στρέμματα", "{area} ha": "{area} εκτάρια", "{area} m²": "{area} m²", "{area} mi²": "{area} mi²", @@ -366,11 +366,22 @@ var locale = { "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.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό." + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 b55602a5..2e0fca8d 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.": "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)", @@ -366,9 +366,20 @@ "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.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό." + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index 48cb4979..cde374c2 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("en", locale); L.setLocale("en"); \ No newline at end of file diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 3ce4a67d..500299e7 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 set.": "Zoom and center saved.", + "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)": "Use if the remote server doesn't support CORS (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 511f09e4..9b2cac56 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 set.": "El acercamiento y el centrado han sido establecidos.", + "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)": "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)", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Opcional.", "Paste your data here": "Pega tus datos aquí", "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.": "El nombre de la propiedad a utilizar como identificador único del elemento." + "The name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 55d68af9..8112f10c 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 set.": "El acercamiento y el centrado han sido establecidos.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Opcional.", "Paste your data here": "Pega tus datos aquí", "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.": "El nombre de la propiedad a utilizar como identificador único del elemento." + "The name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index a4d35d0e..b8189f3a 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 set.": "Suurendus ja keskpunkt salvestati", + "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": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Valikuline.", "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": "Püsilink", - "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("et", locale); L.setLocale("et"); \ No newline at end of file diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index f3d4d895..12410d77 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 set.": "Suurendus ja keskpunkt salvestati", + "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": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,9 +366,20 @@ "Optional.": "Valikuline.", "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": "Püsilink", - "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js new file mode 100644 index 00000000..edd592fc --- /dev/null +++ b/umap/static/umap/locale/fa_IR.js @@ -0,0 +1,387 @@ +var locale = { + "Add symbol": "اضافه کردن نماد", + "Allow scroll wheel zoom?": "آیا به زوم چرخ اسکرول اجازه داده شود؟", + "Automatic": "خودکار", + "Ball": "توپ", + "Cancel": "انصراف", + "Caption": "زیرنویس", + "Change symbol": "تغییر نماد", + "Choose the data format": "قالب داده را انتخاب کنید", + "Choose the layer of the feature": "لایه ویژگی را انتخاب کنید", + "Circle": "دایره", + "Clustered": "خوشه ای", + "Data browser": "مرورگر داده", + "Default": "پیش فرض", + "Default zoom level": "سطح بزرگنمایی پیش فرض", + "Default: name": "پیش فرض: نام", + "Display label": "برچسب نمایش", + "Display the control to open OpenStreetMap editor": "کنترل را برای باز کردن ویرایشگر اوپن‌استریت‌مپ نمایش دهید", + "Display the data layers control": "نمایش کنترل لایه های داده", + "Display the embed 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": "رها کردن", + "GeoRSS (only link)": "GeoRSS (فقط لینک)", + "GeoRSS (title + image)": "GeoRSS (عنوان + تصویر)", + "Heatmap": "نقشه حرارت و گرما", + "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": "قالب محتوای بازشو", + "Set symbol": "تنظیم نماد", + "Side panel": "پنل کناری", + "Simplify": "ساده کنید", + "Symbol or url": "نماد یا آدرس اینترنتی", + "Table": "جدول", + "always": "همیشه", + "clear": "روشن/شفاف", + "collapsed": "فرو ریخت", + "color": "رنگ", + "dash array": "آرایه خط تیره", + "define": "تعريف كردن", + "description": "شرح", + "expanded": "منبسط", + "fill": "پر کردن", + "fill color": "پر کردن رنگ", + "fill opacity": "تاری/کِدِری را پر کنید", + "hidden": "پنهان", + "iframe": "iframe", + "inherit": "به ارث می برند", + "name": "نام", + "never": "هرگز", + "new window": "پنجره جدید", + "no": "نه", + "on hover": "روی شناور", + "opacity": "تاری/کِدِری", + "parent window": "پنجره والدین", + "stroke": "سکته", + "weight": "وزن/سنگینی", + "yes": "بله", + "{delay} seconds": "{تاخیر} ثانیه", + "# 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\".", + "About": "درباره", + "Action not allowed :(": "اقدام مجاز نیست :(", + "Activate slideshow mode": "حالت نمایش اسلاید را فعال کنید", + "Add a layer": "یک لایه اضافه کنید", + "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": "نقشه را به حساب من وصل کنید", + "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": "برای ادامه ترسیم کلیک کنید", + "Click to edit": "برای ویرایش کلیک کنید", + "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", + "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", + "Clone": "شبیه سازی / کلون", + "Clone of {name}": "شبیه سازی {name}", + "Clone this feature": "این ویژگی را شبیه سازی کنید", + "Clone this map": "شبیه سازی این نقشه", + "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", + "Continue line": "ادامه خط", + "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", + "Coordinates": "مختصات", + "Credits": "اعتبار", + "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", + "Custom background": "پس زمینه سفارشی", + "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": "حذف", + "Delete all layers": "حذف همه لایه ها", + "Delete layer": "حذف لایه", + "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": "نمایش روی بارگذاری", + "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": "ویرایش ویژگی های نقشه", + "Edit map settings": "ویرایش تنظیمات نقشه", + "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}": "خطا هنگام واکشی {آدرس اینترنتی}", + "Exit Fullscreen": "خروج از تمام صفحه", + "Extract shape to separate feature": "استخراج شکل به ویژگی جدا", + "Fetch data each time map view changes.": "هر بار که نمای نقشه تغییر می کند، داده ها را واکشی کنید.", + "Filter keys": "کلیدهای فیلتر", + "Filter…": "فیلتر…", + "Format": "قالب", + "From zoom": "از زوم", + "Full map data": "داده های نقشه کامل", + "Go to «{feature}»": "به «{ویژگی}» بروید", + "Heatmap intensity property": "ویژگی شدت حرارت", + "Heatmap radius": "شعاع نقشه حرارتی", + "Help": "راهنما", + "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 با ارتفاع سفارشی (بر حسب 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}}": "تصویر با عرض سفارشی (بر حسب 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.": "همه داده های umap ، از جمله لایه ها و تنظیمات را وارد می کند.", + "Include full screen link?": "پیوند تمام صفحه را شامل می شود؟", + "Interaction options": "گزینه های تعامل", + "Invalid umap data": "داده های umap نامعتبر است", + "Invalid umap data in {filename}": "داده های umap نامعتبر در {نام فایل}", + "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": "اعتبارات طولانی", + "Longitude": "عرض جغرافیایی", + "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's editors": "ویرایشگران نقشه", + "Map's owner": "مالک نقشه", + "Merge lines": "ادغام خطوط", + "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.": "فقط ویژگی های قابل مشاهده بارگیری می شوند.", + "Open download panel": "باز کردن پنل بارگیری", + "Open link in…": "باز کردن پیوند در…", + "Open this map extent in a map editor to provide more accurate data to 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.", + "Problem in the response": "مشکل در پاسخگویی", + "Problem in the response format": "مشکل در قالب پاسخگویی", + "Properties imported:": "خواص وارد شده:", + "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": "این نسخه را بازیابی کنید", + "Save": "ذخیره", + "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}": "پیوند ویرایش مخفی این است:
{لینک}", + "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…": "آن را روی غلط/false تنظیم کنید تا این لایه از نمایش اسلاید، مرورگر داده، ناوبری بازشو پنهان شود…", + "Shape properties": "ویژگی های شکل", + "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": "از اینجا یک حفره شروع کنید", + "Start editing": "ویرایش را شروع کنید", + "Start slideshow": "شروع نمایش اسلاید", + "Stop editing": "ویرایش را متوقف کنید", + "Stop slideshow": "نمایش اسلاید را متوقف کنید", + "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.": "نماد می تواند یک ویژگی یونیکد یا یک آدرس اینترنتی باشد. می توانید از ویژگی های ویژگی به عنوان متغیر استفاده کنید: برای مثال: با \"http://myserver.org/images/{name}.png\" ، متغیر {name} با مقدار \"name\" هر نشانگر جایگزین می شود.", + "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 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)", + "Transfer shape to edited feature": "انتقال شکل به ویژگی ویرایش شده", + "Transform to lines": "تبدیل به خطوط", + "Transform to polygon": "تبدیل به چند ضلعی", + "Type of layer": "نوع لایه", + "Unable to detect format of file {filename}": "تشخیص قالب فایل {نام فایل} امکان پذیر نیست", + "Untitled layer": "لایه بدون عنوان", + "Untitled map": "نقشه بدون عنوان", + "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.": "از متغیرهایی با ویژگی های ویژگی بین براکت ها استفاده کنید ، به عنوان مثال. {name}، آنها به طور پویا با مقادیر مربوطه جایگزین می شوند.", + "User content credits": "اعتبار محتوای کاربر", + "User interface options": "گزینه های رابط کاربر", + "Versions": "نسخه ها", + "View Fullscreen": "مشاهده تمام صفحه", + "Where do we go from here?": "از اینجا به کجا می رویم؟", + "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.": "وای! به نظر می رسد شخص دیگری داده ها را ویرایش کرده است. در هر صورت می توانید ذخیره کنید، اما با این کار تغییرات ایجاد شده توسط دیگران پاک می شود.", + "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": "روی این مکان بزرگنمایی کنید", + "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}": "{شمردن} خطاها هنگام وارد کردن: {پیام}", + "Measure distances": "فاصله ها را اندازه گیری کنید", + "NM": "NM", + "kilometers": "کیلومتر", + "km": "کیلومتر", + "mi": "مایل", + "miles": "مایل ها", + "nautical miles": "مایل دریایی", + "{area} acres": "{منطقه} هکتار", + "{area} ha": "{area} ha", + "{area} m²": "{منطقه} m²", + "{area} mi²": "{منطقه} mi²", + "{area} yd²": "{منطقه} yd²", + "{distance} NM": "{فاصله} NM", + "{distance} km": "{فاصله} km", + "{distance} m": "{فاصله} m", + "{distance} miles": "{فاصله} miles", + "{distance} yd": "{فاصله} yd", + "1 day": "1 روز", + "1 hour": "1 ساعت", + "5 min": "5 دقیقه", + "Cache proxied request": "درخواست پراکسی حافظه پنهان", + "No cache": "بدون حافظه پنهان", + "Popup": "پنجره بازشو", + "Popup (large)": "پنجره بازشو (بزرگ)", + "Popup content style": "سبک محتوای بازشو", + "Popup shape": "شکل پنجره بازشو", + "Skipping unknown geometry.type: {type}": "رد شدن از geometry.type ناشناخته: {نوع}", + "Optional.": "اختیاری.", + "Paste your data here": "اطلاعات و داده های خود را اینجا بچسبانید", + "Please save the map first": "لطفاً ابتدا نقشه را ذخیره کنید", + "Feature identifier key": "کلید شناسایی ویژگی", + "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", + "Permalink": "پیوند ثابت", + "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; +L.registerLocale("fa_IR", locale); +L.setLocale("fa_IR"); \ 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 26ad208d..0339d780 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 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.": "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)", @@ -366,9 +366,20 @@ "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.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی." + "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 0287146d..1d29a8a7 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 set.": "Kartan keskitys ja zoomaustaso on asetettu.", + "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": "Zoomaukseen", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("fi", locale); L.setLocale("fi"); \ No newline at end of file diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index 541e4abc..f77d7e69 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 set.": "Kartan keskitys ja zoomaustaso on asetettu.", + "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": "Zoomaukseen", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index bce3005f..0b43dd59 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -220,7 +220,7 @@ var locale = { "Map has been attached to your account": "La carte est maintenant liée à votre compte", "Map has been saved!": "La carte a été sauvegardée !", "Map user content has been published under licence": "Les contenus sur la carte ont été publiés avec la licence", - "Map's editors": "Éditeurs", + "Map's editors": "Éditeurs de la carte", "Map's owner": "Propriétaire de la carte", "Merge lines": "Fusionner les lignes", "More controls": "Plus d'outils", @@ -262,7 +262,6 @@ var locale = { "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", - "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", @@ -285,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 set.": "Le zoom et le centre ont été enregistrés.", + "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)": "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)", @@ -367,12 +366,22 @@ var locale = { "Optional.": "Facultatif", "Paste your data here": "Collez vos données ici", "Please save the map first": "Vous devez d'abord enregistrer la carte", - "Unable to locate you.": "Impossible de vous localiser.", "Feature identifier key": "Clé unique d'un élément", "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" -} -; + "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", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("fr", locale); L.setLocale("fr"); \ No newline at end of file diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index a0fb23b8..6c3cc4ad 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -262,7 +262,6 @@ "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", - "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", @@ -285,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.": "The zoom and center have been set.", "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)", @@ -367,9 +366,20 @@ "Optional.": "Facultatif", "Paste your data here": "Collez vos données ici", "Please save the map first": "Vous devez d'abord enregistrer la carte", - "Unable to locate you.": "Impossible de vous localiser.", "Feature identifier key": "Clé unique d'un élément", "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" + "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", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 922510a7..b3ce447d 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 set.": "O achegamento e o centrado foron estabelecidos.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Opcional.", "Paste your data here": "Pega os teus datos aquí", "Please save the map first": "Por favor garda o mapa primeiro", - "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("gl", locale); L.setLocale("gl"); \ No newline at end of file diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index a7764bd8..73053718 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 set.": "O achegamento e o centrado foron estabelecidos.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Opcional.", "Paste your data here": "Pega os teus datos aquí", "Please save the map first": "Por favor garda o mapa primeiro", - "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index ca40bc46..36d68080 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 set.": "התקריב והמרכז הוגדרו.", + "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)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", "Toggle edit mode (Shift+Click)": "החלפת מצב עריכה ‪(Shift+לחיצה)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "רשות.", "Paste your data here": "נא להדביק את הנתונים שלך כאן", "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("he", locale); L.setLocale("he"); \ No newline at end of file diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 045ca794..6567facb 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 set.": "התקריב והמרכז הוגדרו.", + "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)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", "Toggle edit mode (Shift+Click)": "החלפת מצב עריכה ‪(Shift+לחיצה)", @@ -366,9 +366,20 @@ "Optional.": "רשות.", "Paste your data here": "נא להדביק את הנתונים שלך כאן", "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 1e0cc723..05d44571 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("hr", locale); L.setLocale("hr"); \ No newline at end of file diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index f934709f..ac78916e 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 2009378e..947f3322 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 set.": "Nagyítás és középpont beállítva.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Nem kötelező.", "Paste your data here": "Illessze be ide az adatokat", "Please save the map first": "Először mentse a térképet", - "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("hu", locale); L.setLocale("hu"); \ No newline at end of file diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 5b7d096f..488c7b99 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 set.": "Nagyítás és középpont beállítva.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Nem kötelező.", "Paste your data here": "Illessze be ide az adatokat", "Please save the map first": "Először mentse a térképet", - "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 8e33a460..9e0af37c 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("id", locale); L.setLocale("id"); \ No newline at end of file diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index 70f4aae9..e9b6d16a 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 set.": "Búið er að stilla aðdrátt og miðjun.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Valfrjálst.", "Paste your data here": "Límdu gögnin þín hér", "Please save the map first": "Vistaðu fyrst kortið", - "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("is", locale); L.setLocale("is"); \ No newline at end of file diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 72fa461c..df0a4e23 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 set.": "Búið er að stilla aðdrátt og miðjun.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Valfrjálst.", "Paste your data here": "Límdu gögnin þín hér", "Please save the map first": "Vistaðu fyrst kortið", - "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 197bdd98..9634b175 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -142,12 +142,12 @@ var locale = { "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": "Cancella", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", + "Delete all layers": "Elimina tutti i livelli", + "Delete layer": "Elimina livello", "Delete this feature": "Cancella questa geometria", "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", "Delete this shape": "Cancella questa geometria", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", "Directions from here": "Indicazioni stradali da qui", "Disable editing": "Disabilita la modifica", "Display measure": "Mostra misura", @@ -210,7 +210,7 @@ var locale = { "Layer properties": "Proprietà del layer", "Licence": "Licenza", "Limit bounds": "Limiti di confine", - "Link to…": "Link to…", + "Link to…": "Link a…", "Link with text: [[http://example.com|text of the link]]": "Link con testo: [[http://example.com|testo del link]]", "Long credits": "Ringraziamenti estesi", "Longitude": "Longitudine", @@ -224,9 +224,9 @@ var locale = { "Map's owner": "Proprietario della mappa", "Merge lines": "Unisci linee", "More controls": "Maggiori controlli", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Deve avere un valore CSS valido (es.: DarkBlue o #123456)", "No licence has been set": "Non è ancora stata impostata una licenza", - "No results": "No results", + "No results": "Nessun risultato", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", "Open download panel": "Apri il panel scaricato", "Open link in…": "Apri link in…", @@ -249,7 +249,7 @@ var locale = { "Remote data": "Dati remoti", "Remove shape from the multi": "Rimuovi geometria dalle altre", "Rename this property on all the features": "Rinomina questa proprietà in tutti gli oggetti", - "Replace layer content": "Replace layer content", + "Replace layer content": "Sostituisci il contenuto del livello", "Restore this version": "Ripristina questa versione", "Save": "Salva", "Save anyway": "Salva comunque", @@ -257,7 +257,7 @@ var locale = { "Save this center and zoom": "Salva il centro e lo zoom", "Save this location as new feature": "Save this location as new feature", "Search a place name": "Cerca il nome di un posto", - "Search location": "Search location", + "Search location": "Cerca luogo", "Secret edit link is:
{link}": "Il link segreto per editare è: {link}", "See all": "Vedi tutto", "See data layers": "Vedi i livelli dati", @@ -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.": "The zoom and center have been set.", "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)", @@ -292,7 +292,7 @@ var locale = { "Transform to lines": "Trasforma in linee", "Transform to polygon": "Trasforma in poligono", "Type of layer": "Tipo di layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", + "Unable to detect format of file {filename}": "Impossibile individuare il formato del file {filename}", "Untitled layer": "Layer senza nome", "Untitled map": "Mappa senza nome", "Update permissions": "Aggiorna autorizzazioni", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Opzionale.", "Paste your data here": "Incolla i tuoi dati qui", "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 46893ed1..93f1e43a 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "Optional.": "Opzionale.", "Paste your data here": "Incolla i tuoi dati qui", "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index c39d3538..ac8a6ae9 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 set.": "ズームと地図中心点の設定完了", + "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)": "編集モードを切り替える(シフトキーを押しながらクリック)", @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("ja", locale); L.setLocale("ja"); \ No newline at end of file diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 60f047e6..fedb8793 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 set.": "ズームと地図中心点の設定完了", + "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)": "編集モードを切り替える(シフトキーを押しながらクリック)", @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index adbc0599..a23abb6f 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ko", locale); L.setLocale("ko"); \ No newline at end of file diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 65ac72df..b38ac764 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 51aa9081..01d7e38f 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 set.": "Šis mastelis ir centras išsaugoti.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("lt", locale); L.setLocale("lt"); \ No newline at end of file diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 1556a0bf..b668b5f5 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 set.": "Šis mastelis ir centras išsaugoti.", + "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)": "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)", @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js new file mode 100644 index 00000000..74124d67 --- /dev/null +++ b/umap/static/umap/locale/ms.js @@ -0,0 +1,387 @@ +var locale = { + "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": "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 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-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": "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 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", + "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": "Dari zum", + "Full map data": "Data peta penuh", + "Go to «{feature}»": "Pergi ke «{feature}»", + "Heatmap intensity property": "Ciri-ciri keamatan 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}}": "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 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 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 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}", + "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 set.": "The zoom and center have been set.", + "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": "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 antara muka 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": "kilometer", + "km": "km", + "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", + "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.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; +L.registerLocale("ms", locale); +L.setLocale("ms"); \ No newline at end of file diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index a88b7de1..cfea3185 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": "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.", + "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)": "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)", @@ -366,9 +366,20 @@ "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 mampu 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." + "The name of the property to use as feature unique identifier.": "Nama ciri-ciri untuk digunakan sebagai pengenalpastian unik sifat.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 691f4afb..09da6300 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -87,7 +87,7 @@ var locale = { "Action not allowed :(": "Handeling niet toegestaan :(", "Activate slideshow mode": "Activeer slidshow modus", "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Voeg een lijn to aan de huidige multilijn", + "Add a line to the current multi": "Voeg een lijn toe 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", @@ -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 set.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", + "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)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", "Toggle edit mode (Shift+Click)": "Schakelaar voor editeermodus (Shift+Click)", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Optioneel.", "Paste your data here": "Plak je data hier", "Please save the map first": "Graag eerst de kaart opslaan", - "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.": "De naam van de eigenschap die als unieke identificator van objecten geldt" + "The name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 8e0b23ca..7e785289 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "Optional.": "Optioneel.", "Paste your data here": "Plak je data hier", "Please save the map first": "Graag eerst de kaart opslaan", - "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.": "De naam van de eigenschap die als unieke identificator van objecten geldt" + "The name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index c574d69b..ac5acadc 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("no", locale); L.setLocale("no"); \ No newline at end of file diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index c53312db..57509834 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 5cc49484..4aee9c5e 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 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.": "The zoom and center have been set.", "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)", @@ -366,11 +366,22 @@ var locale = { "Optional.": "Opcjonalnie.", "Paste your data here": "Wklej tutaj swoje dane", "Please save the map first": "Prosimy najpierw zapisać mapę", - "Unable to locate you.": "Nie udało się ustalić twojego położenia.", "Feature identifier key": "Klucz identyfikacyjny obiektu", "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." + "The name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 2d9c953a..39676835 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 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "Optional.": "Opcjonalnie.", "Paste your data here": "Wklej tutaj swoje dane", "Please save the map first": "Prosimy najpierw zapisać mapę", - "Unable to locate you.": "Nie udało się ustalić twojego położenia.", "Feature identifier key": "Klucz identyfikacyjny obiektu", "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." + "The name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index d444e628..d0c032b0 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -365,5 +365,21 @@ "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" + "Please save the map first": "Please save the map first", + "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.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index d693b227..63b202d0 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/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\")": "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.": "The zoom and center have been set.", "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)", @@ -365,7 +365,23 @@ var locale = { "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", "Optional.": "Opcional.", "Paste your data here": "Cole aqui os seus dados", - "Please save the map first": "Por favor primeiro grave o mapa" + "Please save the map first": "Por favor primeiro grave o mapa", + "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.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("pt", locale); L.setLocale("pt"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 09b70ebd..bb781522 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 set.": "O centro e a aproximação foram definidos.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Opcional.", "Paste your data here": "Cole aqui os seus dados", "Please save the map first": "Por favor primeiro grave o 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", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ 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 08020a05..8ae0b9f8 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 set.": "O centro e a aproximação foram definidos.", + "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)": "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)", @@ -365,13 +365,23 @@ var locale = { "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", "Optional.": "Opcional.", "Paste your data here": "Cole seus dados aqui", - "Please save the map first": "Por favor, primeiro salve o mapa ", - "Unable to locate you.": "Unable to locate you.", + "Please save the map first": "Por favor, primeiro salve o mapa", "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("pt_BR", locale); L.setLocale("pt_BR"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index e78c0f89..92883fa1 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 set.": "O centro e a aproximação foram definidos.", + "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)": "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)", @@ -365,10 +365,21 @@ "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", "Optional.": "Opcional.", "Paste your data here": "Cole seus dados aqui", - "Please save the map first": "Por favor, primeiro salve o mapa ", - "Unable to locate you.": "Unable to locate you.", + "Please save the map first": "Por favor, primeiro salve o mapa", "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ 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 a35100ac..f162dae3 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 set.": "O centro e a aproximação foram definidos.", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Opcional.", "Paste your data here": "Cole aqui os seus dados", "Please save the map first": "Por favor primeiro grave o 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", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("pt_PT", locale); L.setLocale("pt_PT"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index fa055de8..777e2fc5 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 set.": "O centro e a aproximação foram definidos.", + "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)": "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)", @@ -366,9 +366,20 @@ "Optional.": "Opcional.", "Paste your data here": "Cole aqui os seus dados", "Please save the map first": "Por favor primeiro grave o 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", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 48077669..5d46780a 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ro", locale); L.setLocale("ro"); \ No newline at end of file diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index ebffe234..45aec9cd 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index ac453317..5e6c4780 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 set.": "Масштаб и положение установлены", + "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)": "Переключиться в режим редактирования (Shift+Click)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Необязательный.", "Paste your data here": "Вставить ваши данные сюда", "Please save the map first": "Пожалуйста, сначала сохраните карту", - "Unable to locate you.": "Не могу вас найти.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("ru", locale); L.setLocale("ru"); \ No newline at end of file diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index e44a29cd..42419d98 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 set.": "Масштаб и положение установлены", + "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)": "Переключиться в режим редактирования (Shift+Click)", @@ -366,9 +366,20 @@ "Optional.": "Необязательный.", "Paste your data here": "Вставить ваши данные сюда", "Please save the map first": "Пожалуйста, сначала сохраните карту", - "Unable to locate you.": "Не могу вас найти.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", "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.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index b6fbd9d6..f836cf05 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("si_LK", locale); L.setLocale("si_LK"); \ No newline at end of file diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ 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 a6975d1c..06dac3ef 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 set.": "Priblíženie a stred mapy boli nastavené", + "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)": "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)", @@ -366,12 +366,22 @@ var locale = { "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("sk_SK", locale); L.setLocale("sk_SK"); \ No newline at end of file diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index a0de36a9..3fd4c543 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 set.": "Priblíženie a stred mapy boli nastavené", + "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)": "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)", @@ -366,9 +366,20 @@ "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index aa21c132..fb50b3de 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.": "The zoom and center have been set.", "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)", @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 48f4cd23..cc096b1a 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.": "The zoom and center have been set.", "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)", @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index fa0b5d18..0ec4ca29 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -7,160 +7,160 @@ var locale = { "Caption": "Напомена", "Change symbol": "Промени симбол", "Choose the data format": "Одабери формат датума", - "Choose the layer of the feature": "Одабери лејер ", + "Choose the layer of the feature": "Одабери лејер", "Circle": "Круг", - "Clustered": "Clustered", + "Clustered": "Груписање", "Data browser": "Претражи податке", "Default": "Фабричка подешавања", "Default zoom level": "Подразумевани ниво зумирања", "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?", + "Display label": "Прикажи ознаку", + "Display the control to open OpenStreetMap editor": "Прикажи контролу да бисте отворили OpenStreetMap уређивач", + "Display the data layers control": "Прикажи контролу слојева података", + "Display the embed 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 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 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)", + "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": "Heatmap", - "Icon shape": "Icon shape", + "Icon shape": "Облик иконе", "Icon symbol": "Икона симбола", - "Inherit": "Inherit", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", + "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", + "Popup content template": "Шаблон за садржај искачућег прозора", "Set symbol": "Постави симбол", - "Side panel": "Side panel", - "Simplify": "Simplify", + "Side panel": "Бочни панел", + "Simplify": "Поједноставити", "Symbol or url": "Симбол или url", "Table": "Табела", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", + "always": "увек", + "clear": "очисти", + "collapsed": "срушено", "color": "боја", - "dash array": "dash array", - "define": "define", - "description": "Опис", - "expanded": "expanded", + "dash array": "цртица низ", + "define": "дефиниши", + "description": "опис", + "expanded": "проширен", "fill": "испуна", "fill color": "боја испуне", "fill opacity": "прозирност испуне", "hidden": "сакриј", - "iframe": "iframe", - "inherit": "inherit", + "iframe": "облик", + "inherit": "наследити", "name": "име", "never": "никад", "new window": "нови прозор", "no": "не", - "on hover": "on hover", + "on hover": "на лебдећи", "opacity": "прозирност", - "parent window": "parent window", + "parent window": "искачући прозор", "stroke": "линија", "weight": "дебљина", "yes": "да", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{губици} секунди", "# 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\".": "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\".": "Списак бројева одвојених зарезом који дефинише образац цртице цртице. Нпр .: \"5, 10, 15\".", "About": "Више о", "Action not allowed :(": "Акција није дозвољена :(", - "Activate slideshow mode": "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 new property", - "Add a polygon to the current multi": "Add a polygon 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": "Advanced transition", + "Advanced transition": "Напредна транзиција", "All properties are imported.": "Све поставке су увезене", - "Allow interactions": "Allow interactions", + "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 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", + "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": "Autostart when map is loaded", + "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 a preset", - "Choose the format of the data to import": "Choose the format of the data to import", + "Choose a preset": "Изаберите претходно подешавање", + "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape": "Click last point to finish shape", + "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": "Клик да започнете цртање површине", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", + "Clone": "Клон", + "Clone of {name}": "Клон од {име}", "Clone this feature": "Дуплирај елемент", "Clone this map": "Дуплирај мапу", "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)", + "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", + "Continue line": "Наставите линију", + "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", "Coordinates": "Координате", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", + "Credits": "Заслуга", + "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", "Custom background": "Одаберите позадину", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Data is browsable": "Подаци се могу прегледати", + "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.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "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 property on all the features": "Delete this property on all the features", + "Delete this property on all the features": "Обриши наведени ентитет на свим функцијама", "Delete this shape": "Обриши облик", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Directions from here", + "Delete this vertex (Alt+Click)": "Обриши овај врх (Alt+Click)", + "Directions from here": "Упутства одавде", "Disable editing": "Онемогући уређивање", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Display measure": "Мера приказа", + "Display on load": "Приказ при учитавању", "Download": "Преузимање", "Download data": "Преузимање података", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Превуците за промену редоследа", "Draw a line": "Цртање линије", "Draw a marker": "Цртање ознаке", "Draw a polygon": "Цртање површине", "Draw a polyline": "Цртање изломљене линије", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", + "Dynamic": "Динамично", + "Dynamic properties": "Динамично подешавање", "Edit": "Уређивање", "Edit feature's layer": "Уређивање елемента одабраног лејера", "Edit map properties": "Уређивање мапе", @@ -244,7 +244,7 @@ var locale = { "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": "Упишите URL ", + "Provide an URL here": "Упишите URL", "Proxy request": "Proxy request", "Remote data": "Remote data", "Remove shape from the multi": "Remove shape from the multi", @@ -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 set.": "Мапа је центрирана.", + "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": "Увећај", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -357,20 +357,31 @@ var locale = { "1 hour": "1 сат", "5 min": "5 минута", "Cache proxied request": "Cache proxied request", - "No cache": "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}", + "Popup content style": "Искачући стил", + "Popup shape": "Искачући облик", + "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", "Optional.": "Опционо", "Paste your data here": "Прикачите Ваше податке овде", "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." + "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", + "Open current feature on load": "Отворите тренутну функцију при учитавању", + "Permalink": "Трајни линк", + "The name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("sr", locale); L.setLocale("sr"); \ No newline at end of file diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index da719c28..dc1a2e2a 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -7,160 +7,160 @@ "Caption": "Напомена", "Change symbol": "Промени симбол", "Choose the data format": "Одабери формат датума", - "Choose the layer of the feature": "Одабери лејер ", + "Choose the layer of the feature": "Одабери лејер", "Circle": "Круг", - "Clustered": "Clustered", + "Clustered": "Груписање", "Data browser": "Претражи податке", "Default": "Фабричка подешавања", "Default zoom level": "Подразумевани ниво зумирања", "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?", + "Display label": "Прикажи ознаку", + "Display the control to open OpenStreetMap editor": "Прикажи контролу да бисте отворили OpenStreetMap уређивач", + "Display the data layers control": "Прикажи контролу слојева података", + "Display the embed 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 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 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)", + "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": "Heatmap", - "Icon shape": "Icon shape", + "Icon shape": "Облик иконе", "Icon symbol": "Икона симбола", - "Inherit": "Inherit", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", + "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", + "Popup content template": "Шаблон за садржај искачућег прозора", "Set symbol": "Постави симбол", - "Side panel": "Side panel", - "Simplify": "Simplify", + "Side panel": "Бочни панел", + "Simplify": "Поједноставити", "Symbol or url": "Симбол или url", "Table": "Табела", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", + "always": "увек", + "clear": "очисти", + "collapsed": "срушено", "color": "боја", - "dash array": "dash array", - "define": "define", - "description": "Опис", - "expanded": "expanded", + "dash array": "цртица низ", + "define": "дефиниши", + "description": "опис", + "expanded": "проширен", "fill": "испуна", "fill color": "боја испуне", "fill opacity": "прозирност испуне", "hidden": "сакриј", - "iframe": "iframe", - "inherit": "inherit", + "iframe": "облик", + "inherit": "наследити", "name": "име", "never": "никад", "new window": "нови прозор", "no": "не", - "on hover": "on hover", + "on hover": "на лебдећи", "opacity": "прозирност", - "parent window": "parent window", + "parent window": "искачући прозор", "stroke": "линија", "weight": "дебљина", "yes": "да", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{губици} секунди", "# 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\".": "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\".": "Списак бројева одвојених зарезом који дефинише образац цртице цртице. Нпр .: \"5, 10, 15\".", "About": "Више о", "Action not allowed :(": "Акција није дозвољена :(", - "Activate slideshow mode": "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 new property", - "Add a polygon to the current multi": "Add a polygon 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": "Advanced transition", + "Advanced transition": "Напредна транзиција", "All properties are imported.": "Све поставке су увезене", - "Allow interactions": "Allow interactions", + "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 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", + "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": "Autostart when map is loaded", + "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 a preset", - "Choose the format of the data to import": "Choose the format of the data to import", + "Choose a preset": "Изаберите претходно подешавање", + "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape": "Click last point to finish shape", + "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": "Клик да започнете цртање површине", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", + "Clone": "Клон", + "Clone of {name}": "Клон од {име}", "Clone this feature": "Дуплирај елемент", "Clone this map": "Дуплирај мапу", "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)", + "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", + "Continue line": "Наставите линију", + "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", "Coordinates": "Координате", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", + "Credits": "Заслуга", + "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", "Custom background": "Одаберите позадину", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Data is browsable": "Подаци се могу прегледати", + "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.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "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 property on all the features": "Delete this property on all the features", + "Delete this property on all the features": "Обриши наведени ентитет на свим функцијама", "Delete this shape": "Обриши облик", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Directions from here", + "Delete this vertex (Alt+Click)": "Обриши овај врх (Alt+Click)", + "Directions from here": "Упутства одавде", "Disable editing": "Онемогући уређивање", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Display measure": "Мера приказа", + "Display on load": "Приказ при учитавању", "Download": "Преузимање", "Download data": "Преузимање података", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Превуците за промену редоследа", "Draw a line": "Цртање линије", "Draw a marker": "Цртање ознаке", "Draw a polygon": "Цртање површине", "Draw a polyline": "Цртање изломљене линије", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", + "Dynamic": "Динамично", + "Dynamic properties": "Динамично подешавање", "Edit": "Уређивање", "Edit feature's layer": "Уређивање елемента одабраног лејера", "Edit map properties": "Уређивање мапе", @@ -244,7 +244,7 @@ "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": "Упишите URL ", + "Provide an URL here": "Упишите URL", "Proxy request": "Proxy request", "Remote data": "Remote data", "Remove shape from the multi": "Remove shape from the multi", @@ -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 set.": "Мапа је центрирана.", + "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": "Увећај", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -357,18 +357,29 @@ "1 hour": "1 сат", "5 min": "5 минута", "Cache proxied request": "Cache proxied request", - "No cache": "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}", + "Popup content style": "Искачући стил", + "Popup shape": "Искачући облик", + "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", "Optional.": "Опционо", "Paste your data here": "Прикачите Ваше податке овде", "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." + "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", + "Open current feature on load": "Отворите тренутну функцију при учитавању", + "Permalink": "Трајни линк", + "The name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index dfc24280..3d1b3ccd 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -279,12 +279,12 @@ var locale = { "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.", + "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 \"https://minserver.org/bilder/{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": "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.", + "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)": "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)", @@ -347,7 +347,7 @@ var locale = { "{area} ha": "{area} ha", "{area} m²": "{area} m²", "{area} mi²": "{area} kvadrat-mile", - "{area} yd²": "{area} kvadratyard", + "{area} yd²": "{area} kvadrat-yard", "{distance} NM": "{distance} M", "{distance} km": "{distance} km", "{distance} m": "{distance} m", @@ -365,12 +365,23 @@ var locale = { "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.", + "Please save the map first": "Spara kartan först, tack 😉", "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\")" + "The name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 0a6f26ed..31bd75e4 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": "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.", + "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)": "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)", @@ -366,9 +366,20 @@ "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\")" + "The name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index abe773a4..c6e5a72a 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("th_TH", locale); L.setLocale("th_TH"); \ No newline at end of file diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index bc82a1b5..07ac3816 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": "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ı.", + "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)": "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)", @@ -366,11 +366,22 @@ var locale = { "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ı" + "The name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; 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 91da9014..ebfd7eed 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": "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ı.", + "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)": "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)", @@ -366,9 +366,20 @@ "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ı" + "The name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ 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 1791e676..236bc1b2 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -202,7 +202,7 @@ var locale = { "Imports all umap data, including layers and settings.": "Імпортувати всі дані, включаючи інформацію про шари та налаштування.", "Include full screen link?": "Долучити посилання на повноекранний вид?", "Interaction options": "Параметри взаємодії", - "Invalid umap data": "Невірні umap-дані ", + "Invalid umap data": "Невірні umap-дані", "Invalid umap data in {filename}": "Невірні umap-дані у файлі {filename}", "Keep current visible layers": "Залишити поточні видимі шари", "Latitude": "Широта", @@ -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 set.": "Масштаб й центрування виставлені", + "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)": "Перейти у режим редагування (Shift+клац)", @@ -344,15 +344,15 @@ var locale = { "miles": "миль", "nautical miles": "морських миль", "{area} acres": "{area} акрів", - "{area} ha": " {area} гектар", + "{area} ha": "{area} гектар", "{area} m²": "{area} м²", - "{area} mi²": " {area} миль²", - "{area} yd²": " {area} ярд²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", "{distance} NM": "{distance} NM", "{distance} km": "{distance} км", "{distance} m": "{distance} м", - "{distance} miles": " {distance} миль", - "{distance} yd": " {distance} ярдів", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдів", "1 day": "1 день", "1 hour": "1 година", "5 min": "5 хвилин", @@ -366,12 +366,22 @@ var locale = { "Optional.": "Необов’язково.", "Paste your data here": "Вставте ваші дані тут", "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("uk_UA", locale); L.setLocale("uk_UA"); \ No newline at end of file diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 7033d87f..7d75fe0d 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -202,7 +202,7 @@ "Imports all umap data, including layers and settings.": "Імпортувати всі дані, включаючи інформацію про шари та налаштування.", "Include full screen link?": "Долучити посилання на повноекранний вид?", "Interaction options": "Параметри взаємодії", - "Invalid umap data": "Невірні umap-дані ", + "Invalid umap data": "Невірні umap-дані", "Invalid umap data in {filename}": "Невірні umap-дані у файлі {filename}", "Keep current visible layers": "Залишити поточні видимі шари", "Latitude": "Широта", @@ -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 set.": "Масштаб й центрування виставлені", + "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)": "Перейти у режим редагування (Shift+клац)", @@ -344,15 +344,15 @@ "miles": "миль", "nautical miles": "морських миль", "{area} acres": "{area} акрів", - "{area} ha": " {area} гектар", + "{area} ha": "{area} гектар", "{area} m²": "{area} м²", - "{area} mi²": " {area} миль²", - "{area} yd²": " {area} ярд²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", "{distance} NM": "{distance} NM", "{distance} km": "{distance} км", "{distance} m": "{distance} м", - "{distance} miles": " {distance} миль", - "{distance} yd": " {distance} ярдів", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдів", "1 day": "1 день", "1 hour": "1 година", "5 min": "5 хвилин", @@ -366,9 +366,20 @@ "Optional.": "Необов’язково.", "Paste your data here": "Вставте ваші дані тут", "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index d68895f4..a3e7eeec 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("vi", locale); L.setLocale("vi"); \ No newline at end of file diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index e4399c6e..85d03250 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index ad603a06..06ac92ab 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 set.": "缩放比例尺与中心设置完成", + "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": "放大", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,11 +366,22 @@ var locale = { "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("zh", locale); L.setLocale("zh"); \ No newline at end of file diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 0c421898..addcdada 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 set.": "缩放比例尺与中心设置完成", + "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": "放大", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index f111f462..d0c032b0 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -366,9 +366,20 @@ "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." + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" } \ 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 447b9b8c..62ac1eaf 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 set.": "已完成置中及切換功能設定", + "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)": "切換編輯模式 (Shift+Click)", @@ -366,12 +366,22 @@ var locale = { "Optional.": "可選", "Paste your data here": "請在此貼上你的資料", "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." -} -; + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +}; L.registerLocale("zh_TW", locale); L.setLocale("zh_TW"); \ No newline at end of file diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index be2df608..9ce03d2e 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 set.": "已完成置中及切換功能設定", + "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)": "切換編輯模式 (Shift+Click)", @@ -366,9 +366,20 @@ "Optional.": "可選", "Paste your data here": "請在此貼上你的資料", "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." -} + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", + "Advanced filter keys": "Advanced filter keys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Data filters": "Data filters", + "Do you want to display caption menus?": "Do you want to display caption menus?", + "Example: key1,key2,key3": "Example: key1,key2,key3", + "Invalid latitude or longitude": "Invalid latitude or longitude", + "Invalide property name: {name}": "Invalide property name: {name}", + "No results for these filters": "No results for these filters", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", + "Select data": "Select data", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" +} \ No newline at end of file diff --git a/umap/templates/umap/navigation.html b/umap/templates/umap/navigation.html index 424f9f68..3282bc0b 100644 --- a/umap/templates/umap/navigation.html +++ b/umap/templates/umap/navigation.html @@ -12,7 +12,7 @@

  • {% endif %}
  • {% trans "About" %}
  • -
  • {% trans "Feedback" %}
  • +
  • {% trans "Help" %}
  • {% if user.is_authenticated %} {% if user.has_usable_password %}
  • {% trans "Change password" %}
  • From 0cb72fb5f6a83b884bcffd4b32f304ab543227a7 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 27 Feb 2023 18:54:51 +0100 Subject: [PATCH 028/143] i18n --- umap/locale/cs_CZ/LC_MESSAGES/django.mo | Bin 7316 -> 7364 bytes umap/locale/cs_CZ/LC_MESSAGES/django.po | 2 +- umap/locale/fr/LC_MESSAGES/django.mo | Bin 7349 -> 7414 bytes umap/locale/fr/LC_MESSAGES/django.po | 6 +++--- umap/locale/ms/LC_MESSAGES/django.mo | Bin 7192 -> 7242 bytes umap/locale/ms/LC_MESSAGES/django.po | 6 +++--- umap/static/umap/locale/cs_CZ.js | 18 ++++++++-------- umap/static/umap/locale/cs_CZ.json | 18 ++++++++-------- umap/static/umap/locale/fr.js | 26 ++++++++++++------------ umap/static/umap/locale/fr.json | 26 ++++++++++++------------ umap/static/umap/locale/ms.js | 26 ++++++++++++------------ umap/static/umap/locale/ms.json | 26 ++++++++++++------------ 12 files changed, 77 insertions(+), 77 deletions(-) diff --git a/umap/locale/cs_CZ/LC_MESSAGES/django.mo b/umap/locale/cs_CZ/LC_MESSAGES/django.mo index 4401c1530cf1d2a4e510619a67422b0d7a3d53a9..a41ed23d21c417f25a436379cb69e5de8d2e6297 100644 GIT binary patch delta 1855 zcmXxkO-R&17{~E(T}{__S9?*jRdZb}welq`b?wE}wA7Uj)uDo=T#i)=H94n_2$ z1x0}!A|kq&(4mVIy?F3w1yZ*nD~c|ur@p^!cG&0tnVsF8muF^nxcXIf@KdUD#85hk zEaI8Nm_BTc;z3DXWXy6*K{b_PK33ow+>0CW3TES5OvSI5gbS$OyJC#-pbwW|Gx7?W z13Zgp=)qMug7G+knK*?@aTZfBGS--7n2t^?MSZUvi?JQk@Ek_tO=J${4r&1pP!oED zwTy3GQ^}#h>7rBgVlvjC2H1h>Ab^_K9@GR5VImIM_G_5O`+KNs#x#Q4TfB?H?~sp~(VvFv+NixKR_yKz;5-UZ%vh*V*>% zr~w10E!=0@`;y4NIyy~*Qhgq^M;DRpHkVO99L510MSU-WS$&8gE2u*|N3ZH9o%9u9 z7FJ**w%{PH!FR~ZEbw5hCc#bq)j=j3UN_havXg)U>!y6`6OyfK4J;ZqfWJt zlc(?3Bin7dQHSjWmg5c7R=h#=GaIC$70%m+Xikp4kdB+M3fJNp)S-KVB*DB!O>i1H zzh(xt6<<&b_=Eah90x@GXJR4xa3u!Ni@{S=G{gI-OuRsK{1NrT&-U{ls1>?+=xpTT z6|6u8LmP^MFjhQl}Z5(Pgx#GFw>}&e&?a<6vb#~ zvC#Sub>H)Nut?)arFs|Y%Ct}58j|=K7%^Vzfq~3 zLv`pNJ$fID8qkgEFdK)k47I1@$k_~K6GEkvXQZuHVjHoIXk`4*tlLqgmC*jIC+dkB zqLyF|p|o#CT_LStD-kXl*iURHnu(1>DZvE^?YlBTqRmc1CGZ~;^it7k!lj5xHL=b% zI8gf)E*yid(PB_A@%y g;cV(U+B=pQTN&rt`Es=PSpTcL2M>&GN$ZID2cL$IZvX%Q delta 1811 zcmXxlOGs2v9LMp$k5V(6d}V6pXpL{nYOF@Bd|N)stc6iTw5Ua91t~73h6rinu7?nA zgpvd)$S8U&B!bGNWt2fJBq)Wj!pc^Ce>2yE|NFW3%-nm<`JewCU-+*10-q8huN$q6 zSVN42o1MmrB^+pTOU*Ly2dc{zW#++TEWvUt#|~VJcQ658q6?=`_s^gkqod7IFdz8~ zSQWo_GFR(F#W1x$ZaZb9il4YggBUC0PPyS9RD%LkVRS%lO0{nxe zm`ysHupL#Tw@?|LhGg zci>J?IAR4>q0|e3)|? zq`|qU#CoEU*h;9hVT%Yn3}dQhfpR}s47ZTyxKlOzkF)NAuOPk))LA|*f)Ksi0xK?5}p{9b{NmLNZn3`%p+qR!j9Yhd%C7X#X?Y~mK*z}{L zR!3;hD1l%r;;6l)c7j#AE!Z3S$K!U+7ttQ8@rv6nqKVKOrJ_}Vh7((eVDpS7L}i4J OdSgmsN6#mDQmmdJ{K{Na`&HA!2cM0tPs9p&kK&+9qQ@0{m(e&6T&J9mq}6$joVc)E?& zNK7K`gqrQb>Jhxr;v>u^<7m`SF3!L?n1}1I6i;FbKEee2h;jG>_50{ZGY2y;36~m20YPBifI^+WvB&eP!lwuHntYEfz23;hu!fmoW|!1sCoKuD!#x({DJ8h zJMzz+TM@>wzE#jk##&VBT2Xg=06XyyFBiAzO&!upYI+E$HA*)bCH>Al^W2 zqU+uT>OlxuLEYI~X5|zu zl=M|%4CY}CF2;kHf&HlB`{EjrNd7fJDhDKes9Nx&HqeOU&?^>q%6c ziqMNn{YunEx1sL14QJs|%*30h4ZjS~(H(wp2Zm7-|HRdpLM5rF_M&Q_2id&cM=kIa zsVjSq{KQ`4bR0(2MiOuA(Q?p>KGgO7s0;-z($U1vP|xuYYD3xNNvSH~&A|pF`?eeP z{Uf*(uejr%Q5pM%S}>e6IGBveSSjXUH7Zm4F*AhoKTju(frmU(O4T4zhxQZaVl&V{hHgb>l7^C$3zoWy;KDien_#0F; zr=T{HhMKq#b!J{yA1YJTcplfFj${Z!5dO7BdYVJ6h^QqN5sO*>&+h9`t(wsJ=*}yN zGGZQ~4eF8f5z3PO!4?p~#uI84#41tAK({Ra#7_ z+SNh{JsH8K)Kw8maSc&OsOi67SyNM*y@ZZw3ZbT>QsvJemJ{VfiT?i!=s3h2BG{B> zom~czPN;B#O~scL{NTFKRZqrjVu|}Xh$@|OvU+zwg`7>qD6c#zHs8G<^cd;fJ-wg9 zr-pi#__yxtjg49rQPI9*OVjoZJGQqpH*NGgW&eGwY;N=WbDG=Avz+|A*#+6W6=w0~ aRj-&{enIbv_^V-_s+LXu-n=m#k-q`IJ)?F2 delta 1857 zcmYk-drXaS9LMqRsi=f5N*Ce@(Osp`1u2&(*X1^ClqJncmpPV=oy}!v{$OS{>kq~( zW+rE5#=kWA$82mE{%HP?%b3M7e|UdRkIip=&+GU6&Uv2S@A>||&(qJ6yCwd2abf3; zwvm`h+zc^m#qu$H(7uf|OU3V~q3Ce4bWFf}EWENE z#YK1-)0p4h(@9{!GtMjq6EO@kP#4HWEvOhZaV1W~dUt#;&g8fYb)6oZfp>5czQ8&7 z5m~dvMvZ1B1yh*cvgjyf%Taf_6;EIXPR9|{9VN30y5`_y%t0-%3LUILo$tjVJdRpO z`-IVn&mlwBgAQItzmLuUoda0GZKdEnR3@IICKyD@!akuE@)fm^VfT9v8?C*Lk(? z@>A=P)>HLs z(H*~u%G5*Dgpbg{SEx+=#ypH7Ey_?SW_!#w<7|$P@F*8(E{cWYMOK|p>0qr8pYOPDWS!MF@LZzNARWM z9tKebt5pyyh}Fb=LWNaAs4%Mty^d82YFePutBh&eG6>z2+B!mSKDFFY%&*ifBb0$+ zLdBw{6t5vFiH(Gs(y#Y}+EPOGv7V?V)G~?1L^+`%Ra5m-i?)H#lcvn75NnAv?Y~m| zuc>g8U4)K2i9l, 2014 # spf, 2019 # Philippe Verdy, 2017 -# yohanboniface , 2013-2014,2018-2019 +# yohanboniface , 2013-2014,2018-2019,2023 # YOHAN BONIFACE , 2012 # yohanboniface , 2014,2016 msgid "" @@ -21,7 +21,7 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: bagage , 2021\n" +"Last-Translator: yohanboniface , 2013-2014,2018-2019,2023\n" "Language-Team: French (http://www.transifex.com/openstreetmap/umap/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -301,7 +301,7 @@ msgstr "À propos" #: umap/templates/umap/navigation.html:15 msgid "Help" -msgstr "" +msgstr "Aide" #: umap/templates/umap/navigation.html:18 msgid "Change password" diff --git a/umap/locale/ms/LC_MESSAGES/django.mo b/umap/locale/ms/LC_MESSAGES/django.mo index 4cfce7a7b706ed88b712147159a92ac95bbf821c..9d8a0ccdf218f1d325e39ca52997c08590510f0a 100644 GIT binary patch delta 1863 zcmYk+T};h!9LMo*I!;gYbVx#uDCy}WMR_QqR7$FG!NxL;HA`)nhjB79qimj%hnZn3 zV{5bH!n)A9(9DJ9%9t5*VY0Yz5pH;YPXDv{t?zmL&hMP_d-(po|E?FmEcSm$boCgm ziI__~nPS#~wNrVa#YdRU!vxfj57V&-^Kl2R!fs5(7nq1&Fb@Bqejgoa=EY2$h1JNP z-AIw8d=tE6df=h5Wa*fuFTDTXL zsb{E~c#DhhCn_V!RHACji`iI?S=fe}|AwEACcN(q44@v5r`U+2Sbz(uDBbBcBnfr^ z^*cXmqVvcZ>?-O&{m4)4IqC}Ep%(sz%0v=r$U}b-9i4m+=3*!6P6v?h+8}DeQPf1= zk;B%}3|m3>5Q=&LjS6Lp0%*u4)Ipfc8gzx4d?r?Z%W7V<~^*#*?eZlNBh zK0Jmm@i*}WHL;3Nx^>begbqZaZ8M?PIEndH#Y$7C zWzi`i3Y-Bw?`ck7aP78^a1(VzA)%(CQg+mIEyaYcPt~ucn$Z)GPHZAdiIuwlWpunm z5fN&-uNXp)o@zst8fv=xoX{IbJ>zP+j-^DE-u&0{>Fe$roH0E?D)wp0tEzmx^MTM~ vqe65A#@%UCTvaXm+XJytk0Yk$6yz5y3k=2k!XwI?+YTOTZVQZivLpWi+0>Iz delta 1816 zcmYk-U1-&190%}cPMzy*bIxol^Q>Iz=F)trwN3LSd-1K5Aj2+1sEAxOXd$&Y7f}fj z1r~TQgk5D68tp=aZlVimAVCyC7lql47M8@My6W>iJ3$Zr&gc36&;HNL@A>_YQ~k&K zt3S5Q{-9`k#Vz8KS)~kfXpRrvWP3_U$t!Z+2h7`_HvZhae_DVByZvr=ko$PI9>m~rMZ+o*S&1#6SUUyJk41~ znT5Z`EaY`=-~_wOUw+bA=tjderL=MpXLC6-Kp(T9^~}UucmtoT-+zv`yFSc}GtS%i z85i(7F5^X7bD4kbOlCUSY5vlqlay^^cDj#mafD0wH?yM-tI#bK-pG~A0=Kfl9nABG zc!_T?3wiPSnTe0mtuoFEKVo%MXG-T~ZnCXTo@O%f4Ku+7DvRFYqwOn7^CmL_;b6@DA7G zMs<4SOD^X*uH#j1W3RNPC`Xu#y+>b_51Cpx(V2jrPH`!}Vizy7m#r$YheOP`&oJYR)UU^?I(Z%5^A@~IW0g}(ah+vq;%jEYZ<%qJBq0ALZLT!bZ0H*;JF|VUbK`cWDw;%RqnaYNjyL-7N-0HZ$A&wPvi^ zk4pWr#)I{XO?*IX7k7&uaj!_7Y!%%iXP=f#q(GC&WGzK3&9(N3&;0VG=IkVUXhkMkj+}#>@$V=sCcM$XXZ`Ws6Ql<>a<>wy4oZ1W0Z`o7CS{( z&Oc}MU&}eA<=ssY=KRuDiX4&Jsr@H)57P!kC7u7ZoNZc;>OQeU+$HiBq;1&%A#D(y@%w diff --git a/umap/locale/ms/LC_MESSAGES/django.po b/umap/locale/ms/LC_MESSAGES/django.po index b1d9bd58..0c1f68ee 100644 --- a/umap/locale/ms/LC_MESSAGES/django.po +++ b/umap/locale/ms/LC_MESSAGES/django.po @@ -3,7 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021 +# Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021,2023 # Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021 msgid "" msgstr "" @@ -11,7 +11,7 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021\n" +"Last-Translator: Yaya - Nurul Azeera Hidayah @ Muhammad Nur Hidayat Yasuyoshi (MNH48) , 2021,2023\n" "Language-Team: Malay (http://www.transifex.com/openstreetmap/umap/language/ms/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -291,7 +291,7 @@ msgstr "Perihalan" #: umap/templates/umap/navigation.html:15 msgid "Help" -msgstr "" +msgstr "Bantuan" #: umap/templates/umap/navigation.html:18 msgid "Change password" diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index f8c1405a..2261adee 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 set.": "The zoom and center have been set.", + "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)", @@ -370,14 +370,14 @@ var locale = { "Open current feature on load": "Otevřít současnou funkci při zatížení", "Permalink": "Trvalý odkaz", "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", + "Advanced filter keys": "Pokročilé filtry klíčů", + "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", + "Data filters": "Filtry dat", + "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", + "Example: key1,key2,key3": "Příklad: key1,key2,key3", + "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", + "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", + "No results for these filters": "Žádné výsledky pro tyto filtry", "Permanent credits": "Permanent credits", "Permanent credits background": "Permanent credits background", "Select data": "Select data", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 5394afbd..3fe77f9e 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 set.": "The zoom and center have been set.", + "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)", @@ -370,14 +370,14 @@ "Open current feature on load": "Otevřít současnou funkci při zatížení", "Permalink": "Trvalý odkaz", "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", + "Advanced filter keys": "Pokročilé filtry klíčů", + "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", + "Data filters": "Filtry dat", + "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", + "Example: key1,key2,key3": "Příklad: key1,key2,key3", + "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", + "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", + "No results for these filters": "Žádné výsledky pro tyto filtry", "Permanent credits": "Permanent credits", "Permanent credits background": "Permanent credits background", "Select data": "Select data", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 0b43dd59..d86aabd2 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 set.": "The zoom and center have been set.", + "The zoom and center have been set.": "Le niveau de 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)", @@ -370,18 +370,18 @@ 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", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Clés de filtre avancé", + "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", + "Data filters": "Filtrer les données", + "Do you want to display caption menus?": "Afficher les menus dans la légende ?", + "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", + "Invalid latitude or longitude": "Latitude ou longitude invalide", + "Invalide property name: {name}": "Nom de propriété invalide: {name}", + "No results for these filters": "Aucun résultat avec ces filtres", + "Permanent credits": "Crédits permanents", + "Permanent credits background": "Afficher un fond pour le crédit permanent", + "Select data": "Sélectionner les données", + "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte" }; L.registerLocale("fr", locale); L.setLocale("fr"); \ No newline at end of file diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 6c3cc4ad..c089c57c 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 set.": "The zoom and center have been set.", + "The zoom and center have been set.": "Le niveau de 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)", @@ -370,16 +370,16 @@ "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", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Clés de filtre avancé", + "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", + "Data filters": "Filtrer les données", + "Do you want to display caption menus?": "Afficher les menus dans la légende ?", + "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", + "Invalid latitude or longitude": "Latitude ou longitude invalide", + "Invalide property name: {name}": "Nom de propriété invalide: {name}", + "No results for these filters": "Aucun résultat avec ces filtres", + "Permanent credits": "Crédits permanents", + "Permanent credits background": "Afficher un fond pour le crédit permanent", + "Select data": "Sélectionner les données", + "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte" } \ No newline at end of file diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 74124d67..d2a7864c 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -284,7 +284,7 @@ var locale = { "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 set.": "The zoom and center have been set.", + "The zoom and center have been set.": "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)", @@ -370,18 +370,18 @@ var locale = { "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Kekunci tapisan lanjutan", + "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", + "Data filters": "Penapis data", + "Do you want to display caption menus?": "Adakah anda ingin paparkan menu keterangan?", + "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", + "Invalid latitude or longitude": "Latitud atau longitud tidak sah", + "Invalide property name: {name}": "Nama ciri tidak sah: {name}", + "No results for these filters": "Tiada hasil bagi tapisan ini", + "Permanent credits": "Penghargaan kekal", + "Permanent credits background": "Latar penghargaan kekal", + "Select data": "Pilih data", + "Will be permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri bawah peta" }; L.registerLocale("ms", locale); L.setLocale("ms"); \ No newline at end of file diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index cfea3185..69316ee2 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": "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 set.": "The zoom and center have been set.", + "The zoom and center have been set.": "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)", @@ -370,16 +370,16 @@ "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Kekunci tapisan lanjutan", + "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", + "Data filters": "Penapis data", + "Do you want to display caption menus?": "Adakah anda ingin paparkan menu keterangan?", + "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", + "Invalid latitude or longitude": "Latitud atau longitud tidak sah", + "Invalide property name: {name}": "Nama ciri tidak sah: {name}", + "No results for these filters": "Tiada hasil bagi tapisan ini", + "Permanent credits": "Penghargaan kekal", + "Permanent credits background": "Latar penghargaan kekal", + "Select data": "Pilih data", + "Will be permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri bawah peta" } \ No newline at end of file From 1c3fe61aa4325b924a199ead380c7362f2ea81d7 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 11:02:07 +0100 Subject: [PATCH 029/143] Split L.Map.edit function --- umap/static/umap/js/umap.js | 53 ++++++++++++++++++++++++++++--------- 1 file changed, 41 insertions(+), 12 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 7365afac..4d1e3bfe 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -1218,18 +1218,7 @@ L.U.Map.include({ return this.findDataLayer(function (d) { return d.umap_id == umap_id; }); }, - edit: function () { - if(!this.editEnabled) return; - var container = L.DomUtil.create('div','umap-edit-container'), - metadataFields = [ - 'options.name', - 'options.description' - ], - title = L.DomUtil.create('h4', '', container); - title.textContent = L._('Edit map properties'); - var builder = new L.U.FormBuilder(this, metadataFields); - var form = builder.build(); - container.appendChild(form); + _editControls: function (container) { var UIFields = []; for (var i = 0; i < this.HIDDABLE_CONTROLS.length; i++) { UIFields.push('options.' + this.HIDDABLE_CONTROLS[i] + 'Control'); @@ -1253,7 +1242,9 @@ L.U.Map.include({ }); var controlsOptions = L.DomUtil.createFieldset(container, L._('User interface options')); controlsOptions.appendChild(builder.build()); + }, + _editShapeProperties: function (container) { var shapeOptions = [ 'options.color', 'options.iconClass', @@ -1274,7 +1265,9 @@ L.U.Map.include({ }); var defaultShapeProperties = L.DomUtil.createFieldset(container, L._('Default shape properties')); defaultShapeProperties.appendChild(builder.build()); + }, + _editDefaultProperties: function (container) { var optionsFields = [ 'options.smoothFactor', 'options.dashArray', @@ -1298,7 +1291,9 @@ L.U.Map.include({ }); var defaultProperties = L.DomUtil.createFieldset(container, L._('Default properties')); defaultProperties.appendChild(builder.build()); + }, + _editInteractionsProperties: function (container) { var popupFields = [ 'options.popupShape', 'options.popupTemplate', @@ -1317,7 +1312,9 @@ L.U.Map.include({ }); var popupFieldset = L.DomUtil.createFieldset(container, L._('Default interaction options')); popupFieldset.appendChild(builder.build()); + }, + _editTilelayer: function (container) { if (!L.Util.isObject(this.options.tilelayer)) { this.options.tilelayer = {}; } @@ -1335,7 +1332,9 @@ L.U.Map.include({ callbackContext: this }); customTilelayer.appendChild(builder.build()); + }, + _editBounds: function (container) { if (!L.Util.isObject(this.options.limitBounds)) { this.options.limitBounds = {}; } @@ -1375,7 +1374,9 @@ L.U.Map.include({ this.isDirty = true; this.handleLimitBounds(); }, this); + }, + _editSlideshow: function (container) { var slideshow = L.DomUtil.createFieldset(container, L._('Slideshow')); var slideshowFields = [ ['options.slideshow.active', {handler: 'Switch', label: L._('Activate slideshow mode')}], @@ -1392,7 +1393,9 @@ L.U.Map.include({ callbackContext: this }); slideshow.appendChild(slideshowBuilder.build()); + }, + _editCredits: function (container) { var credits = L.DomUtil.createFieldset(container, L._('Credits')); var creditsFields = [ ['options.licence', {handler: 'LicenceChooser', label: L._('licence')}], @@ -1406,7 +1409,9 @@ L.U.Map.include({ callbackContext: this }); credits.appendChild(creditsBuilder.build()); + }, + _advancedActions: function (container) { var advancedActions = L.DomUtil.createFieldset(container, L._('Advanced actions')); var advancedButtons = L.DomUtil.create('div', 'button-bar half', advancedActions); var del = L.DomUtil.create('a', 'button umap-delete', advancedButtons); @@ -1436,6 +1441,30 @@ L.U.Map.include({ L.DomEvent .on(download, 'click', L.DomEvent.stop) .on(download, 'click', this.renderShareBox, this); + }, + + edit: function () { + if(!this.editEnabled) return; + var container = L.DomUtil.create('div','umap-edit-container'), + metadataFields = [ + 'options.name', + 'options.description' + ], + title = L.DomUtil.create('h4', '', container); + title.textContent = L._('Edit map properties'); + var builder = new L.U.FormBuilder(this, metadataFields); + var form = builder.build(); + container.appendChild(form); + this._editControls(container); + this._editShapeProperties(container); + this._editDefaultProperties(container); + this._editInteractionsProperties(container); + this._editTilelayer(container); + this._editBounds(container); + this._editSlideshow(container); + this._editCredits(container); + this._advancedActions(container); + this.ui.openPanel({data: {html: container}, className: 'dark'}); }, From 169f7e954c3c87bab630990b8c6e2e2d0a7d427f Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 14:08:34 +0100 Subject: [PATCH 030/143] Allow to add an overlay tilelayer cf #71 #976 --- umap/static/umap/js/umap.js | 40 +++++++++++++++++++++++++++++++++++-- 1 file changed, 38 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 4d1e3bfe..d45991a3 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -1,6 +1,5 @@ L.Map.mergeOptions({ - base_layers: null, - overlay_layers: null, + overlay: null, datalayers: [], center: [4, 50], zoom: 6, @@ -507,6 +506,7 @@ L.U.Map.include({ // Users can put tilelayer URLs by hand, and if they add wrong {variable}, // Leaflet throw an error, and then the map is no more editable } + this.setOverlay() }, eachTileLayer: function (method, context) { @@ -522,6 +522,20 @@ L.U.Map.include({ } }, + setOverlay: function () { + if (!this.options.overlay || !this.options.overlay.url_template) return; + var overlay = this.createTileLayer(this.options.overlay); + try { + this.addLayer(overlay); + if (this.overlay) this.removeLayer(this.overlay); + this.overlay = overlay; + } catch (e) { + this.removeLayer(overlay); + console.error(e); + this.ui.alert({content: L._('Error in the overlay URL') + ': ' + overlay._url, level: 'error'}); + } + }, + initCenter: function () { if (this.options.hash && this._hash.parseHash(location.hash)) { // FIXME An invalid hash will cause the load to fail @@ -1059,6 +1073,7 @@ L.U.Map.include({ 'description', 'licence', 'tilelayer', + 'overlay', 'limitBounds', 'color', 'iconClass', @@ -1334,6 +1349,26 @@ L.U.Map.include({ customTilelayer.appendChild(builder.build()); }, + _editOverlay: function (container) { + if (!L.Util.isObject(this.options.overlay)) { + this.options.overlay = {}; + } + var overlayFields = [ + ['options.overlay.url_template', {handler: 'BlurInput', helpText: L._('Supported scheme') + ': http://{s}.domain.com/{z}/{x}/{y}.png', placeholder: 'url', helpText: L._('Background overlay url')}], + ['options.overlay.maxZoom', {handler: 'BlurIntInput', placeholder: L._('max zoom')}], + ['options.overlay.minZoom', {handler: 'BlurIntInput', placeholder: L._('min zoom')}], + ['options.overlay.attribution', {handler: 'BlurInput', placeholder: L._('attribution')}], + ['options.overlay.opacity', {handler: 'Range', min: 0, max: 1, step: 'any', placeholder: L._('opacity')}], + ['options.overlay.tms', {handler: 'Switch', label: L._('TMS format')}] + ]; + var overlay = L.DomUtil.createFieldset(container, L._('Custom overlay')); + builder = new L.U.FormBuilder(this, overlayFields, { + callback: this.initTileLayers, + callbackContext: this + }); + overlay.appendChild(builder.build()); + }, + _editBounds: function (container) { if (!L.Util.isObject(this.options.limitBounds)) { this.options.limitBounds = {}; @@ -1460,6 +1495,7 @@ L.U.Map.include({ this._editDefaultProperties(container); this._editInteractionsProperties(container); this._editTilelayer(container); + this._editOverlay(container); this._editBounds(container); this._editSlideshow(container); this._editCredits(container); From 492f0dc59c776252e8b2bb063bbfb815193b50b4 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 14:14:43 +0100 Subject: [PATCH 031/143] bump leaflet.formbuilder --- package-lock.json | 14 +++++++------- package.json | 2 +- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/package-lock.json b/package-lock.json index b49bdf13..b2e55954 100644 --- a/package-lock.json +++ b/package-lock.json @@ -15,7 +15,7 @@ "leaflet-contextmenu": "^1.4.0", "leaflet-editable": "^1.2.0", "leaflet-editinosm": "0.2.3", - "leaflet-formbuilder": "0.2.3", + "leaflet-formbuilder": "0.2.4", "leaflet-fullscreen": "1.0.2", "leaflet-hash": "0.2.1", "leaflet-i18n": "0.3.1", @@ -1212,9 +1212,9 @@ "integrity": "sha1-8HFmTEpSe3b3uPm87HRLJIiVwHE=" }, "node_modules/leaflet-formbuilder": { - "version": "0.2.3", - "resolved": "https://registry.npmjs.org/leaflet-formbuilder/-/leaflet-formbuilder-0.2.3.tgz", - "integrity": "sha1-7ucYzcyMOzABk+U7qASFLAv0l9k=" + "version": "0.2.4", + "resolved": "https://registry.npmjs.org/leaflet-formbuilder/-/leaflet-formbuilder-0.2.4.tgz", + "integrity": "sha512-09y6hZXOwT1F3jt0u57ejfAt6GhSJJVYkjhDGg9+axr+IniBizZ0N4svdwyhzMBxXy9bJ1Gew516e6Aaul+P4w==" }, "node_modules/leaflet-fullscreen": { "version": "1.0.2", @@ -3532,9 +3532,9 @@ "integrity": "sha1-8HFmTEpSe3b3uPm87HRLJIiVwHE=" }, "leaflet-formbuilder": { - "version": "0.2.3", - "resolved": "https://registry.npmjs.org/leaflet-formbuilder/-/leaflet-formbuilder-0.2.3.tgz", - "integrity": "sha1-7ucYzcyMOzABk+U7qASFLAv0l9k=" + "version": "0.2.4", + "resolved": "https://registry.npmjs.org/leaflet-formbuilder/-/leaflet-formbuilder-0.2.4.tgz", + "integrity": "sha512-09y6hZXOwT1F3jt0u57ejfAt6GhSJJVYkjhDGg9+axr+IniBizZ0N4svdwyhzMBxXy9bJ1Gew516e6Aaul+P4w==" }, "leaflet-fullscreen": { "version": "1.0.2", diff --git a/package.json b/package.json index 6503a1a3..e732025c 100644 --- a/package.json +++ b/package.json @@ -39,7 +39,7 @@ "leaflet-contextmenu": "^1.4.0", "leaflet-editable": "^1.2.0", "leaflet-editinosm": "0.2.3", - "leaflet-formbuilder": "0.2.3", + "leaflet-formbuilder": "0.2.4", "leaflet-fullscreen": "1.0.2", "leaflet-hash": "0.2.1", "leaflet-i18n": "0.3.1", From 849e50abc76eedbb1cbef5d6fc9548db7c657b80 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 15:44:01 +0100 Subject: [PATCH 032/143] changelog --- docs/changelog.md | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/docs/changelog.md b/docs/changelog.md index 59144afe..58f7f988 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -1,5 +1,20 @@ # Changelog +## dev + +- upgrade to Django 4.x +- added a filter by category panel (cf #1041, thanks @k-3st3ban) +- added a permanent credit (cf #1041, thanks @k-3st3ban) +- allow to add an overlay tilelayer +- switched from `If-None-Match` to `If-Unmodified-Since` for concurrency control +- prevent caching datalayers geojson when in edit mode +- replaced custom locate control with Leaflet.Locate (cf #1031n thanks @aleksejspopovs) +- fixed bug where we coud not edit permissions of a new saved map unless reloading the page +- CSS: Fix cut of text in iframes of popup content (cf #971, thanks @tordans) +- switched from custom DictField to propert JsonField +- enhanced property fallback in string formatting (cf #862, thanks @mstock) + + ## 1.2.3 - improved panel layout and image sizing (by @Binnette, cf #824) From 90607c7581226dddeab03a58550920fa20654f2a Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 17:14:57 +0100 Subject: [PATCH 033/143] Black on test_datalayer_views --- umap/tests/test_datalayer_views.py | 130 ++++++++++++++++------------- 1 file changed, 72 insertions(+), 58 deletions(-) diff --git a/umap/tests/test_datalayer_views.py b/umap/tests/test_datalayer_views.py index e4c71324..e2c4e925 100644 --- a/umap/tests/test_datalayer_views.py +++ b/umap/tests/test_datalayer_views.py @@ -14,32 +14,32 @@ pytestmark = pytest.mark.django_db @pytest.fixture def post_data(): return { - "name": 'name', + "name": "name", "display_on_load": True, "rank": 0, - "geojson": '{"type":"FeatureCollection","features":[{"type":"Feature","geometry":{"type":"Polygon","coordinates":[[[-3.1640625,53.014783245859235],[-3.1640625,51.86292391360244],[-0.50537109375,51.385495069223204],[1.16455078125,52.38901106223456],[-0.41748046875,53.91728101547621],[-2.109375,53.85252660044951],[-3.1640625,53.014783245859235]]]},"properties":{"_umap_options":{},"name":"Ho god, sounds like a polygouine"}},{"type":"Feature","geometry":{"type":"LineString","coordinates":[[1.8017578124999998,51.16556659836182],[-0.48339843749999994,49.710272582105695],[-3.1640625,50.0923932109388],[-5.60302734375,51.998410382390325]]},"properties":{"_umap_options":{},"name":"Light line"}},{"type":"Feature","geometry":{"type":"Point","coordinates":[0.63720703125,51.15178610143037]},"properties":{"_umap_options":{},"name":"marker he"}}],"_umap_options":{"displayOnLoad":true,"name":"new name","id":1668,"remoteData":{},"color":"LightSeaGreen","description":"test"}}' # noqa + "geojson": '{"type":"FeatureCollection","features":[{"type":"Feature","geometry":{"type":"Polygon","coordinates":[[[-3.1640625,53.014783245859235],[-3.1640625,51.86292391360244],[-0.50537109375,51.385495069223204],[1.16455078125,52.38901106223456],[-0.41748046875,53.91728101547621],[-2.109375,53.85252660044951],[-3.1640625,53.014783245859235]]]},"properties":{"_umap_options":{},"name":"Ho god, sounds like a polygouine"}},{"type":"Feature","geometry":{"type":"LineString","coordinates":[[1.8017578124999998,51.16556659836182],[-0.48339843749999994,49.710272582105695],[-3.1640625,50.0923932109388],[-5.60302734375,51.998410382390325]]},"properties":{"_umap_options":{},"name":"Light line"}},{"type":"Feature","geometry":{"type":"Point","coordinates":[0.63720703125,51.15178610143037]},"properties":{"_umap_options":{},"name":"marker he"}}],"_umap_options":{"displayOnLoad":true,"name":"new name","id":1668,"remoteData":{},"color":"LightSeaGreen","description":"test"}}', } def test_get(client, settings, datalayer): - url = reverse('datalayer_view', args=(datalayer.pk, )) + url = reverse("datalayer_view", args=(datalayer.pk,)) response = client.get(url) - assert response['Last-Modified'] is not None - assert response['Cache-Control'] is not None - assert 'Content-Encoding' not in response + assert response["Last-Modified"] is not None + assert response["Cache-Control"] is not None + assert "Content-Encoding" not in response j = json.loads(response.content.decode()) - assert '_umap_options' in j - assert 'features' in j - assert j['type'] == 'FeatureCollection' + assert "_umap_options" in j + assert "features" in j + assert j["type"] == "FeatureCollection" def test_update(client, datalayer, map, post_data): - url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) + url = reverse("datalayer_update", args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password="123123") - name = 'new name' + name = "new name" rank = 2 - post_data['name'] = name - post_data['rank'] = rank + post_data["name"] = name + post_data["rank"] = rank response = client.post(url, post_data, follow=True) assert response.status_code == 200 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) @@ -48,15 +48,17 @@ def test_update(client, datalayer, map, post_data): # Test response is a json j = json.loads(response.content.decode()) assert "id" in j - assert datalayer.pk == j['id'] + assert datalayer.pk == j["id"] -def test_should_not_be_possible_to_update_with_wrong_map_id_in_url(client, datalayer, map, post_data): # noqa +def test_should_not_be_possible_to_update_with_wrong_map_id_in_url( + client, datalayer, map, post_data +): other_map = MapFactory(owner=map.owner) - url = reverse('datalayer_update', args=(other_map.pk, datalayer.pk)) + url = reverse("datalayer_update", args=(other_map.pk, datalayer.pk)) client.login(username=map.owner.username, password="123123") - name = 'new name' - post_data['name'] = name + name = "new name" + post_data["name"] = name response = client.post(url, post_data, follow=True) assert response.status_code == 403 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) @@ -64,8 +66,8 @@ def test_should_not_be_possible_to_update_with_wrong_map_id_in_url(client, datal def test_delete(client, datalayer, map): - url = reverse('datalayer_delete', args=(map.pk, datalayer.pk)) - client.login(username=map.owner.username, password='123123') + url = reverse("datalayer_delete", args=(map.pk, datalayer.pk)) + client.login(username=map.owner.username, password="123123") response = client.post(url, {}, follow=True) assert response.status_code == 200 assert not DataLayer.objects.filter(pk=datalayer.pk).count() @@ -73,50 +75,59 @@ def test_delete(client, datalayer, map): assert Map.objects.filter(pk=map.pk).exists() # Test response is a json j = json.loads(response.content.decode()) - assert 'info' in j + assert "info" in j -def test_should_not_be_possible_to_delete_with_wrong_map_id_in_url(client, datalayer, map): # noqa +def test_should_not_be_possible_to_delete_with_wrong_map_id_in_url( + client, datalayer, map +): other_map = MapFactory(owner=map.owner) - url = reverse('datalayer_delete', args=(other_map.pk, datalayer.pk)) - client.login(username=map.owner.username, password='123123') + url = reverse("datalayer_delete", args=(other_map.pk, datalayer.pk)) + client.login(username=map.owner.username, password="123123") response = client.post(url, {}, follow=True) assert response.status_code == 403 assert DataLayer.objects.filter(pk=datalayer.pk).exists() -def test_optimistic_concurrency_control_with_good_last_modified(client, datalayer, map, post_data): # noqa +def test_optimistic_concurrency_control_with_good_last_modified( + client, datalayer, map, post_data +): # Get Last-Modified - url = reverse('datalayer_view', args=(datalayer.pk, )) + url = reverse("datalayer_view", args=(datalayer.pk,)) response = client.get(url) - last_modified = response['Last-Modified'] - url = reverse('datalayer_update', - args=(map.pk, datalayer.pk)) + last_modified = response["Last-Modified"] + url = reverse("datalayer_update", args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password="123123") - name = 'new name' - post_data['name'] = 'new name' - response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE=last_modified) + name = "new name" + post_data["name"] = "new name" + response = client.post( + url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE=last_modified + ) assert response.status_code == 200 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) assert modified_datalayer.name == name -def test_optimistic_concurrency_control_with_bad_last_modified(client, datalayer, map, post_data): # noqa - url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) - client.login(username=map.owner.username, password='123123') - name = 'new name' - post_data['name'] = name - response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE='xxx') +def test_optimistic_concurrency_control_with_bad_last_modified( + client, datalayer, map, post_data +): + url = reverse("datalayer_update", args=(map.pk, datalayer.pk)) + client.login(username=map.owner.username, password="123123") + name = "new name" + post_data["name"] = name + response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE="xxx") assert response.status_code == 412 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) assert modified_datalayer.name != name -def test_optimistic_concurrency_control_with_empty_last_modified(client, datalayer, map, post_data): # noqa - url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) - client.login(username=map.owner.username, password='123123') - name = 'new name' - post_data['name'] = name +def test_optimistic_concurrency_control_with_empty_last_modified( + client, datalayer, map, post_data +): + url = reverse("datalayer_update", args=(map.pk, datalayer.pk)) + client.login(username=map.owner.username, password="123123") + name = "new name" + post_data["name"] = name response = client.post(url, post_data, follow=True, HTTP_IF_UNMODIFIED_SINCE=None) assert response.status_code == 200 modified_datalayer = DataLayer.objects.get(pk=datalayer.pk) @@ -126,33 +137,36 @@ def test_optimistic_concurrency_control_with_empty_last_modified(client, datalay def test_versions_should_return_versions(client, datalayer, map, settings): root = datalayer.storage_root() datalayer.geojson.storage.save( - '%s/%s_1440924889.geojson' % (root, datalayer.pk), - ContentFile("{}")) + "%s/%s_1440924889.geojson" % (root, datalayer.pk), ContentFile("{}") + ) datalayer.geojson.storage.save( - '%s/%s_1440923687.geojson' % (root, datalayer.pk), - ContentFile("{}")) + "%s/%s_1440923687.geojson" % (root, datalayer.pk), ContentFile("{}") + ) datalayer.geojson.storage.save( - '%s/%s_1440918637.geojson' % (root, datalayer.pk), - ContentFile("{}")) - url = reverse('datalayer_versions', args=(datalayer.pk, )) + "%s/%s_1440918637.geojson" % (root, datalayer.pk), ContentFile("{}") + ) + url = reverse("datalayer_versions", args=(datalayer.pk,)) versions = json.loads(client.get(url).content.decode()) - assert len(versions['versions']) == 4 - version = {'name': '%s_1440918637.geojson' % datalayer.pk, 'size': 2, - 'at': '1440918637'} - assert version in versions['versions'] + assert len(versions["versions"]) == 4 + version = { + "name": "%s_1440918637.geojson" % datalayer.pk, + "size": 2, + "at": "1440918637", + } + assert version in versions["versions"] def test_version_should_return_one_version_geojson(client, datalayer, map): root = datalayer.storage_root() - name = '%s_1440924889.geojson' % datalayer.pk - datalayer.geojson.storage.save('%s/%s' % (root, name), ContentFile("{}")) - url = reverse('datalayer_version', args=(datalayer.pk, name)) + name = "%s_1440924889.geojson" % datalayer.pk + datalayer.geojson.storage.save("%s/%s" % (root, name), ContentFile("{}")) + url = reverse("datalayer_version", args=(datalayer.pk, name)) assert client.get(url).content.decode() == "{}" def test_update_readonly(client, datalayer, map, post_data, settings): settings.UMAP_READONLY = True - url = reverse('datalayer_update', args=(map.pk, datalayer.pk)) + url = reverse("datalayer_update", args=(map.pk, datalayer.pk)) client.login(username=map.owner.username, password="123123") response = client.post(url, post_data, follow=True) assert response.status_code == 403 From d2161a3d099bc69e7677b361a170ed696982d66a Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 28 Feb 2023 17:29:11 +0100 Subject: [PATCH 034/143] black on utils.py o --- umap/utils.py | 19 ++++++++++--------- 1 file changed, 10 insertions(+), 9 deletions(-) diff --git a/umap/utils.py b/umap/utils.py index 9afe69b4..0890dbfd 100644 --- a/umap/utils.py +++ b/umap/utils.py @@ -6,7 +6,7 @@ from django.urls import URLPattern, URLResolver def get_uri_template(urlname, args=None, prefix=""): - ''' + """ Utility function to return an URI Template from a named URL in django Copied from django-digitalpaper. @@ -18,21 +18,22 @@ def get_uri_template(urlname, args=None, prefix=""): non-capturing parenthesis in them) by trying to find a pattern whose optional parameters match those you specified (a parameter is considered optional if it doesn't appear in every pattern possibility) - ''' + """ + def _convert(template, args=None): """URI template converter""" if not args: args = [] paths = template % dict([p, "{%s}" % p] for p in args) - return u'%s/%s' % (prefix, paths) + return "%s/%s" % (prefix, paths) resolver = get_resolver(None) - parts = urlname.split(':') + parts = urlname.split(":") if len(parts) > 1 and parts[0] in resolver.namespace_dict: namespace = parts[0] urlname = parts[1] nprefix, resolver = resolver.namespace_dict[namespace] - prefix = prefix + '/' + nprefix.rstrip('/') + prefix = prefix + "/" + nprefix.rstrip("/") possibilities = resolver.reverse_dict.getlist(urlname) for tmp in possibilities: possibility, pattern = tmp[:2] @@ -61,7 +62,6 @@ def get_uri_template(urlname, args=None, prefix=""): class DecoratedURLPattern(URLPattern): - def resolve(self, *args, **kwargs): result = URLPattern.resolve(self, *args, **kwargs) if result: @@ -97,6 +97,7 @@ def decorated_patterns(func, *urls): if not hasattr(pp, "_decorate_with"): setattr(pp, "_decorate_with", []) pp._decorate_with.append(func) + if func: if not isinstance(func, (list, tuple)): func = [func] @@ -108,11 +109,11 @@ def decorated_patterns(func, *urls): def gzip_file(from_path, to_path): stat = os.stat(from_path) - with open(from_path, 'rb') as f_in: - with gzip.open(to_path, 'wb') as f_out: + with open(from_path, "rb") as f_in: + with gzip.open(to_path, "wb") as f_out: f_out.writelines(f_in) os.utime(to_path, (stat.st_mtime, stat.st_mtime)) def is_ajax(request): - return request.headers.get('x-requested-with') == 'XMLHttpRequest' + return request.headers.get("x-requested-with") == "XMLHttpRequest" From 5da96a490c51d1ac1daf90df8360219b1c1730b6 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 17:29:21 +0100 Subject: [PATCH 035/143] Pump Pillow --- setup.cfg | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/setup.cfg b/setup.cfg index 36786c10..13c322cf 100644 --- a/setup.cfg +++ b/setup.cfg @@ -29,7 +29,7 @@ install_requires = Django==4.1.7 django-agnocomplete==2.2.0 django-compressor==4.3.1 - Pillow==8.4.0 + Pillow==9.4.0 psycopg2==2.9.3 requests==2.26.0 social-auth-core==4.1.0 From b589787dc1de3aa42a187cecaf876817377d6c2c Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 17:30:42 +0100 Subject: [PATCH 036/143] bump psycopg2 --- setup.cfg | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/setup.cfg b/setup.cfg index 13c322cf..1fec562c 100644 --- a/setup.cfg +++ b/setup.cfg @@ -30,7 +30,7 @@ install_requires = django-agnocomplete==2.2.0 django-compressor==4.3.1 Pillow==9.4.0 - psycopg2==2.9.3 + psycopg2==2.9.5 requests==2.26.0 social-auth-core==4.1.0 social-auth-app-django==5.0.0 From f6f765e52f33e6bff3977ccfe9fd2a1dc2288596 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 17:35:07 +0100 Subject: [PATCH 037/143] Catch empty attribution in overlay --- umap/static/umap/js/umap.core.js | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 30aaa4cb..c7afdb36 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -46,6 +46,7 @@ L.Util.escapeHTML = function (s) { return s.replace(/ Date: Wed, 1 Mar 2023 17:38:16 +0100 Subject: [PATCH 038/143] Bump requests --- setup.cfg | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/setup.cfg b/setup.cfg index 1fec562c..290ee2f7 100644 --- a/setup.cfg +++ b/setup.cfg @@ -31,7 +31,7 @@ install_requires = django-compressor==4.3.1 Pillow==9.4.0 psycopg2==2.9.5 - requests==2.26.0 + requests==2.28.2 social-auth-core==4.1.0 social-auth-app-django==5.0.0 From 58cee72915bd65231cd84b4a7567fb5b8e82ff9c Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 18:19:58 +0100 Subject: [PATCH 039/143] CSS: move alert above panel --- umap/static/umap/base.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/base.css b/umap/static/umap/base.css index 8e4c928f..b4006ad6 100644 --- a/umap/static/umap/base.css +++ b/umap/static/umap/base.css @@ -714,7 +714,7 @@ input[type=hidden].blur + .button { font-weight: bold; color: #fff; font-size: 0.8em; - z-index: 1002; + z-index: 1012; border-radius: 2px; } #umap-alert-container.error { From ae6f9fda5765f581a6d07489ee3dde87205f8e57 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 18:21:24 +0100 Subject: [PATCH 040/143] Fix restauring full umap with remoteData The check about umap_id was before isLoaded and hasDataLoaded split, so I guess (hope) it's useless here. A bit of history: https://github.com/umap-project/Leaflet.Storage/commit/217f2fcb15040a0d599cc62083e6bd1e34089687 https://github.com/umap-project/Leaflet.Storage/commit/2ea27c87f620e059c278084e90f8658684e68c3d --- umap/static/umap/js/umap.layer.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.layer.js b/umap/static/umap/js/umap.layer.js index 4a77571c..208ff571 100644 --- a/umap/static/umap/js/umap.layer.js +++ b/umap/static/umap/js/umap.layer.js @@ -365,7 +365,7 @@ L.U.DataLayer = L.Evented.extend({ }, hasDataLoaded: function () { - return !this.umap_id || this._geojson !== null; + return this._geojson !== null; }, setUmapId: function (id) { From b4933348033b1e0d63ae8fa79b6ba677bafaf2d2 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 18:27:20 +0100 Subject: [PATCH 041/143] Exclude remoteLayer from import targets Those layers cannot contain data, as they use an URL to fetch it. --- umap/static/umap/js/umap.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index d45991a3..b5d466a7 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -777,7 +777,7 @@ L.U.Map.include({ clearFlag.type = 'checkbox'; clearFlag.name = 'clear'; this.eachDataLayerReverse(function (datalayer) { - if (datalayer.isLoaded()) { + if (datalayer.isLoaded() && !datalayer.isRemoteLayer()) { var id = L.stamp(datalayer); option = L.DomUtil.create('option', '', layerInput); option.value = id; From b55b5504d7b2ba760ea6701123d7a09c7f6398a9 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 18:50:34 +0100 Subject: [PATCH 042/143] bump social-auht-core --- setup.cfg | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/setup.cfg b/setup.cfg index 290ee2f7..8ff1a678 100644 --- a/setup.cfg +++ b/setup.cfg @@ -32,7 +32,7 @@ install_requires = Pillow==9.4.0 psycopg2==2.9.5 requests==2.28.2 - social-auth-core==4.1.0 + social-auth-core==4.3.0 social-auth-app-django==5.0.0 [options.extras_require] From 83ca957263cb8c51e771615d0a977c2df9ac78f9 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 19:13:45 +0100 Subject: [PATCH 043/143] Remove unused code --- umap/views.py | 12 +----------- 1 file changed, 1 insertion(+), 11 deletions(-) diff --git a/umap/views.py b/umap/views.py index 8736c1dd..01fb4c48 100644 --- a/umap/views.py +++ b/umap/views.py @@ -23,9 +23,8 @@ from django.http import ( ) from django.middleware.gzip import re_accepts_gzip from django.shortcuts import get_object_or_404 -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.encoding import smart_bytes from django.utils.http import http_date from django.utils.translation import gettext as _ from django.utils.translation import to_locale @@ -329,15 +328,6 @@ def _urls_for_js(urls=None): return urls -def render_to_json(templates, context, request): - """ - Generate a JSON HttpResponse with rendered template HTML. - """ - html = render_to_string(templates, context=context, request=request) - _json = json.dumps({"html": html}) - return HttpResponse(_json) - - def simple_json_response(**kwargs): return HttpResponse(json.dumps(kwargs)) From 3f155101af527a5bf67220181c8d7f0307c990c8 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 1 Mar 2023 19:14:59 +0100 Subject: [PATCH 044/143] black on decorators.py --- umap/decorators.py | 25 +++++++++++++++---------- 1 file changed, 15 insertions(+), 10 deletions(-) diff --git a/umap/decorators.py b/umap/decorators.py index 8fb7bc95..a0e13171 100644 --- a/umap/decorators.py +++ b/umap/decorators.py @@ -10,17 +10,19 @@ from .models import Map LOGIN_URL = getattr(settings, "LOGIN_URL", "login") -LOGIN_URL = (reverse_lazy(LOGIN_URL) if not LOGIN_URL.startswith("/") - else LOGIN_URL) +LOGIN_URL = reverse_lazy(LOGIN_URL) if not LOGIN_URL.startswith("/") else LOGIN_URL def login_required_if_not_anonymous_allowed(view_func): @wraps(view_func) def wrapper(request, *args, **kwargs): - if (not getattr(settings, "UMAP_ALLOW_ANONYMOUS", False) - and not request.user.is_authenticated): + if ( + not getattr(settings, "UMAP_ALLOW_ANONYMOUS", False) + and not request.user.is_authenticated + ): return simple_json_response(login_required=str(LOGIN_URL)) return view_func(request, *args, **kwargs) + return wrapper @@ -28,11 +30,12 @@ def map_permissions_check(view_func): """ Used for URLs dealing with the map. """ + @wraps(view_func) def wrapper(request, *args, **kwargs): - map_inst = get_object_or_404(Map, pk=kwargs['map_id']) + map_inst = get_object_or_404(Map, pk=kwargs["map_id"]) user = request.user - kwargs['map_inst'] = map_inst # Avoid rerequesting the map in the view + kwargs["map_inst"] = map_inst # Avoid rerequesting the map in the view if map_inst.edit_status >= map_inst.EDITORS: can_edit = map_inst.can_edit(user=user, request=request) if not can_edit: @@ -40,6 +43,7 @@ def map_permissions_check(view_func): return simple_json_response(login_required=str(LOGIN_URL)) return HttpResponseForbidden() return view_func(request, *args, **kwargs) + return wrapper @@ -48,9 +52,10 @@ def jsonize_view(view_func): def wrapper(request, *args, **kwargs): response = view_func(request, *args, **kwargs) response_kwargs = {} - if hasattr(response, 'rendered_content'): - response_kwargs['html'] = response.rendered_content - if response.has_header('location'): - response_kwargs['redirect'] = response['location'] + if hasattr(response, "rendered_content"): + response_kwargs["html"] = response.rendered_content + if response.has_header("location"): + response_kwargs["redirect"] = response["location"] return simple_json_response(**response_kwargs) + return wrapper From 2b91373207851f74d33a96aecd9dd18ccae9b7d6 Mon Sep 17 00:00:00 2001 From: David Larlet <3556+davidbgk@users.noreply.github.com> Date: Fri, 24 Mar 2023 11:35:14 -0400 Subject: [PATCH 045/143] [docs] Update the contributing page with DB setup --- docs/contributing.md | 25 +++++++++++++++---------- 1 file changed, 15 insertions(+), 10 deletions(-) diff --git a/docs/contributing.md b/docs/contributing.md index 81d5cb25..524c4411 100644 --- a/docs/contributing.md +++ b/docs/contributing.md @@ -54,22 +54,22 @@ See [Installation](install.md) ### Hacking on the code -Create a workspace folder ~/wk and go into it. +Create a workspace folder `~/wk` and go into it. -"git clone" the main repository and go in the umap folder +"git clone" the main repository and go in the `umap/` folder. -Several commands you need to issue to be in a virtualenv: +Once you are in the `umap/` folder, create a Python virtual environment: - virtualenv ~/wk/umap/venv --python=/usr/bin/python3.6 - source ~/wk/umap/venv/bin/activate + python3 -m venv venv + source venv/bin/activate -Now, command "umap" will be available +Now, the `umap` command will be available. -*Note: if you close your terminal, you will need to re-run command:* +*Note: if you close your terminal, you will need to re-run that command from `~/wk/umap`:* - source /srv/umap/venv/bin/activate + source venv/bin/activate -To test your code, you will add to install umap from your git folder. Go to ~/wk/umap and run: +To test your code, you will add to install umap from your git folder. Go to `~/wk/umap` and run: pip install -e . # or pip install -e ~/wk/umap @@ -78,7 +78,12 @@ This command will check dependencies and install uMap from sources inside folder When installing from the git repository, do not forget to run `make installjs` and `make vendors`, before running `umap collectstatic` (as mentioned in [Ubuntu from scratch](ubuntu.md)). -To start your local uMap: +Create a PostgreSQL database and apply migrations to setup your database: + + createdb umap + umap migrate + +You should now be able to start your local uMap instance: umap runserver 0.0.0.0:8000 From 123af0a7c918d1f306d75c54ea1ee559b84ece6a Mon Sep 17 00:00:00 2001 From: Luc Didry Date: Mon, 27 Mar 2023 16:26:32 +0200 Subject: [PATCH 046/143] =?UTF-8?q?=F0=9F=90=9B=20=E2=80=94=20Allow=20to?= =?UTF-8?q?=20use=20SHA1-signed=20anonymous=20edit=20URL?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The default django.core.signing Signer uses SHA256 algorithm since Django 3. Umap used Django 2 in the paste, so people had SHA1 signed anonymous edit URLs, which became unusable when umap switch to Django 3. This commit makes them usable again (the new SHA256-signed anonymous edit URLs still works, obviously). --- umap/tests/test_map_views.py | 15 +++++++++++++++ umap/views.py | 26 +++++++++++++++----------- 2 files changed, 30 insertions(+), 11 deletions(-) diff --git a/umap/tests/test_map_views.py b/umap/tests/test_map_views.py index a33f9996..8c2b2279 100644 --- a/umap/tests/test_map_views.py +++ b/umap/tests/test_map_views.py @@ -4,6 +4,7 @@ import pytest from django.contrib.auth import get_user_model from django.urls import reverse +from django.core.signing import Signer from umap.models import DataLayer, Map from .base import login_required @@ -401,6 +402,20 @@ def test_anonymous_edit_url(cookieclient, anonymap): assert key in cookieclient.cookies +@pytest.mark.usefixtures('allow_anonymous') +def test_sha1_anonymous_edit_url(cookieclient, anonymap): + signer = Signer(algorithm='sha1') + signature = signer.sign(anonymap.pk) + url = reverse('map_anonymous_edit_url', kwargs={'signature': signature}) + canonical = reverse('map', kwargs={'pk': anonymap.pk, + 'slug': anonymap.slug}) + response = cookieclient.get(url) + assert response.status_code == 302 + assert response['Location'] == canonical + key, value = anonymap.signed_cookie_elements + assert key in cookieclient.cookies + + @pytest.mark.usefixtures('allow_anonymous') def test_bad_anonymous_edit_url_should_return_403(cookieclient, anonymap): url = anonymap.get_anonymous_edit_url() diff --git a/umap/views.py b/umap/views.py index 01fb4c48..55c0c74a 100644 --- a/umap/views.py +++ b/umap/views.py @@ -657,17 +657,21 @@ class MapAnonymousEditUrl(RedirectView): try: pk = signer.unsign(self.kwargs["signature"]) except BadSignature: - return HttpResponseForbidden() - else: - map_inst = get_object_or_404(Map, pk=pk) - url = map_inst.get_absolute_url() - response = HttpResponseRedirect(url) - if not map_inst.owner: - key, value = map_inst.signed_cookie_elements - response.set_signed_cookie( - key=key, value=value, max_age=ANONYMOUS_COOKIE_MAX_AGE - ) - return response + signer = Signer(algorithm='sha1') + try: + pk = signer.unsign(self.kwargs["signature"]) + except BadSignature: + return HttpResponseForbidden() + + map_inst = get_object_or_404(Map, pk=pk) + url = map_inst.get_absolute_url() + response = HttpResponseRedirect(url) + if not map_inst.owner: + key, value = map_inst.signed_cookie_elements + response.set_signed_cookie( + key=key, value=value, max_age=ANONYMOUS_COOKIE_MAX_AGE + ) + return response # ############## # From edc97f4cc7ca6e48e23572b6bb4f2479b6fda966 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 4 Apr 2023 09:11:12 +0200 Subject: [PATCH 047/143] Initialize STATICFILES_DIRS fix #1060 --- umap/settings/base.py | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/settings/base.py b/umap/settings/base.py index 49575758..07bb2270 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -145,6 +145,7 @@ STATICFILES_FINDERS = [ 'django.contrib.staticfiles.finders.AppDirectoriesFinder', 'compressor.finders.CompressorFinder', ] +STATICFILES_DIRS = [] # May be extended when using UMAP_CUSTOM_STATICS # ============================================================================= # Templates From aeb48a40eed7924e32ee2bbfc87345f8dbe267fc Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Fri, 21 Apr 2023 07:41:23 +0000 Subject: [PATCH 048/143] show line length while drawing line --- umap/static/umap/js/umap.controls.js | 22 +++++++++++++++------- 1 file changed, 15 insertions(+), 7 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 2ca538b9..a1fbfc69 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1198,7 +1198,7 @@ L.U.Editable = L.Editable.extend({ initialize: function (map, options) { L.Editable.prototype.initialize.call(this, map, options); - this.on('editable:drawing:start editable:drawing:click', this.drawingTooltip); + this.on('editable:drawing:start editable:drawing:click editable:drawing:move', this.drawingTooltip); this.on('editable:drawing:end', this.closeTooltip); // Layer for items added by users this.on('editable:drawing:cancel', function (e) { @@ -1250,18 +1250,26 @@ L.U.Editable = L.Editable.extend({ drawingTooltip: function (e) { var content; + var readableDistance; if (e.layer instanceof L.Marker) content = L._('Click to add a marker'); else if (e.layer instanceof L.Polyline) { if (!e.layer.editor._drawnLatLngs.length) { - if (e.layer instanceof L.Polygon) content = L._('Click to start drawing a polygon'); - else if (e.layer instanceof L.Polyline) content = L._('Click to start drawing a line'); - } else if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { - content = L._('Click to continue drawing'); + if (e.layer instanceof L.Polygon){ + content = L._('Click to start drawing a polygon'); + } else if (e.layer instanceof L.Polyline) { + content = L._('Click to start drawing a line'); + } } else { - content = L._('Click last point to finish shape'); + var tempLatLngs = e.layer.editor._drawnLatLngs.slice(); + tempLatLngs.push(e.latlng); + var length = L.GeoUtil.lineLength(this.map, tempLatLngs); + readableDistance = L.GeoUtil.readableDistance(length, this.map.measureTools.getMeasureUnit()); + content = L._('Click last point to finish shape ({distance})', {distance: readableDistance}); } } - if (content) this.map.ui.tooltip({content: content}); + if (content) { + this.map.ui.tooltip({content: content}); + } }, closeTooltip: function () { From ec6239a837de3d3dafb10a798aba7e8968ca23c8 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Fri, 21 Apr 2023 14:55:20 +0000 Subject: [PATCH 049/143] append distance as variable to all translations --- umap/static/umap/locale/am_ET.js | 2 +- umap/static/umap/locale/am_ET.json | 2 +- umap/static/umap/locale/ar.js | 2 +- umap/static/umap/locale/ar.json | 2 +- umap/static/umap/locale/ast.js | 2 +- umap/static/umap/locale/ast.json | 2 +- umap/static/umap/locale/bg.js | 2 +- umap/static/umap/locale/bg.json | 2 +- umap/static/umap/locale/ca.js | 2 +- umap/static/umap/locale/ca.json | 2 +- umap/static/umap/locale/cs_CZ.js | 2 +- umap/static/umap/locale/cs_CZ.json | 2 +- umap/static/umap/locale/da.js | 2 +- umap/static/umap/locale/da.json | 2 +- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 2 +- umap/static/umap/locale/el.js | 2 +- umap/static/umap/locale/el.json | 2 +- umap/static/umap/locale/en.js | 2 +- umap/static/umap/locale/en.json | 2 +- umap/static/umap/locale/en_US.json | 2 +- umap/static/umap/locale/es.js | 2 +- umap/static/umap/locale/es.json | 2 +- umap/static/umap/locale/et.js | 2 +- umap/static/umap/locale/et.json | 2 +- umap/static/umap/locale/fa_IR.js | 2 +- umap/static/umap/locale/fa_IR.json | 2 +- umap/static/umap/locale/fi.js | 2 +- umap/static/umap/locale/fi.json | 2 +- umap/static/umap/locale/fr.js | 2 +- umap/static/umap/locale/fr.json | 2 +- umap/static/umap/locale/gl.js | 2 +- umap/static/umap/locale/gl.json | 2 +- umap/static/umap/locale/he.js | 2 +- umap/static/umap/locale/he.json | 2 +- umap/static/umap/locale/hr.js | 2 +- umap/static/umap/locale/hr.json | 2 +- umap/static/umap/locale/hu.js | 2 +- umap/static/umap/locale/hu.json | 2 +- umap/static/umap/locale/id.js | 2 +- umap/static/umap/locale/id.json | 2 +- umap/static/umap/locale/is.js | 2 +- umap/static/umap/locale/is.json | 2 +- umap/static/umap/locale/it.js | 2 +- umap/static/umap/locale/it.json | 2 +- umap/static/umap/locale/ja.js | 2 +- umap/static/umap/locale/ja.json | 2 +- umap/static/umap/locale/lt.js | 2 +- umap/static/umap/locale/lt.json | 2 +- umap/static/umap/locale/ms.js | 2 +- umap/static/umap/locale/ms.json | 2 +- umap/static/umap/locale/nl.js | 2 +- umap/static/umap/locale/nl.json | 2 +- umap/static/umap/locale/no.js | 2 +- umap/static/umap/locale/no.json | 2 +- umap/static/umap/locale/pl.js | 2 +- umap/static/umap/locale/pl.json | 2 +- umap/static/umap/locale/pl_PL.json | 2 +- umap/static/umap/locale/pt.js | 2 +- umap/static/umap/locale/pt.json | 2 +- umap/static/umap/locale/pt_BR.js | 2 +- umap/static/umap/locale/pt_BR.json | 2 +- umap/static/umap/locale/pt_PT.js | 2 +- umap/static/umap/locale/pt_PT.json | 2 +- umap/static/umap/locale/ro.js | 2 +- umap/static/umap/locale/ro.json | 2 +- umap/static/umap/locale/ru.js | 2 +- umap/static/umap/locale/ru.json | 2 +- umap/static/umap/locale/si_LK.js | 2 +- umap/static/umap/locale/si_LK.json | 2 +- umap/static/umap/locale/sk_SK.js | 2 +- umap/static/umap/locale/sk_SK.json | 2 +- umap/static/umap/locale/sl.js | 2 +- umap/static/umap/locale/sl.json | 2 +- umap/static/umap/locale/sr.js | 2 +- umap/static/umap/locale/sr.json | 2 +- umap/static/umap/locale/sv.js | 2 +- umap/static/umap/locale/sv.json | 2 +- umap/static/umap/locale/th_TH.js | 2 +- umap/static/umap/locale/th_TH.json | 2 +- umap/static/umap/locale/tr.js | 2 +- umap/static/umap/locale/tr.json | 2 +- umap/static/umap/locale/uk_UA.js | 2 +- umap/static/umap/locale/uk_UA.json | 2 +- umap/static/umap/locale/vi.js | 2 +- umap/static/umap/locale/vi.json | 2 +- umap/static/umap/locale/vi_VN.json | 2 +- umap/static/umap/locale/zh.js | 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.js | 2 +- umap/static/umap/locale/zh_TW.json | 2 +- 93 files changed, 93 insertions(+), 93 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 6d056164..166785be 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "ፕሪሴት ምረጥ", "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", - "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", + "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index e9824927..23355682 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -115,7 +115,7 @@ "Choose a preset": "ፕሪሴት ምረጥ", "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", - "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", + "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 9e850e8b..3cbc5a52 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 2bb2c519..2f0a1f2a 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index b0ee5030..8c26fc66 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index b047d8b8..82020ade 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Изберете предварително зададен", "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index e014ba6e..5893f6b7 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -115,7 +115,7 @@ "Choose a preset": "Изберете предварително зададен", "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index a82c8bdb..2f7c4773 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 1b3b00ed..f69b82d6 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 2261adee..de0d24bc 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Zvolte přednastavení", "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", + "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 3fe77f9e..e8880ea0 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -115,7 +115,7 @@ "Choose a preset": "Zvolte přednastavení", "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", + "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 7b6ffe6e..4034521b 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Vælg en forudindstilling", "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", + "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 5def18a4..4e64d5ec 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -115,7 +115,7 @@ "Choose a preset": "Vælg en forudindstilling", "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", + "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index d35fe308..9d0b5e48 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Kllicke den letzten Punkt an, um die Form abzuschließen", + "Click last point to finish shape ({distance})": "Kllicke den letzten Punkt an, um die Form abzuschließen ({distance})", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index a09de601..3dfe92af 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -115,7 +115,7 @@ "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Kllicke den letzten Punkt an, um die Form abzuschließen", + "Click last point to finish shape ({distance})": "Kllicke den letzten Punkt an, um die Form abzuschließen ({distance})", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 7901726d..39d8a199 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", - "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", + "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 2e0fca8d..d9a2862a 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -115,7 +115,7 @@ "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", - "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", + "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index cde374c2..b0aaf6d7 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 500299e7..c38991c3 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 9b2cac56..619ebb52 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -115,7 +115,7 @@ var locale = { "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 figura", + "Click last point to finish shape ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 8112f10c..932fbbbe 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -115,7 +115,7 @@ "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 figura", + "Click last point to finish shape ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index b8189f3a..937e0c49 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 12410d77..80c7953c 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index edd592fc..c57417db 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", - "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", + "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 0339d780..e8e91404 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -115,7 +115,7 @@ "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", - "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", + "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 1d29a8a7..8b50740c 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Valitse", "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", + "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index f77d7e69..91aaa6f2 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -115,7 +115,7 @@ "Choose a preset": "Valitse", "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", + "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index d86aabd2..48511ea4 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choisir dans les présélections", "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", + "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index c089c57c..573e05cc 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -115,7 +115,7 @@ "Choose a preset": "Choisir dans les présélections", "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", + "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index b3ce447d..ebac4336 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escoller un predefinido", "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", + "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 73053718..b09ca5ef 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -115,7 +115,7 @@ "Choose a preset": "Escoller un predefinido", "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", + "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 36d68080..da56d7f9 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "נא לבחור ערכה", "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", - "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", + "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 6567facb..55d6a38e 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -115,7 +115,7 @@ "Choose a preset": "נא לבחור ערכה", "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", - "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", + "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 05d44571..93747ce6 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -115,7 +115,7 @@ var locale = { "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": "Odaberi sloj za uvoz", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index ac78916e..b8f25d90 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -115,7 +115,7 @@ "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": "Odaberi sloj za uvoz", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 947f3322..17709b55 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Előbeállítás kiválasztása", "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", + "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 488c7b99..9ff8b2d1 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -115,7 +115,7 @@ "Choose a preset": "Előbeállítás kiválasztása", "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", + "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 9e0af37c..3fb76b06 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index e9b6d16a..7b2a99b0 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Veldu forstillingu", "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", + "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index df0a4e23..908697d8 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -115,7 +115,7 @@ "Choose a preset": "Veldu forstillingu", "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", + "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 9634b175..49efddfb 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Seleziona una preimpostazione", "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape": "Click su ultimo punto per completare la geometria", + "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 93f1e43a..3cf8ce57 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -115,7 +115,7 @@ "Choose a preset": "Seleziona una preimpostazione", "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape": "Click su ultimo punto per completare la geometria", + "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index ac8a6ae9..85176c61 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "プリセット選択", "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", - "Click last point to finish shape": "クリックでシェイプの作成を終了", + "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index fedb8793..a72facf9 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -115,7 +115,7 @@ "Choose a preset": "プリセット選択", "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", - "Click last point to finish shape": "クリックでシェイプの作成を終了", + "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 01d7e38f..b21b5666 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Pasirinkite šabloną", "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", + "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index b668b5f5..b593d035 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -115,7 +115,7 @@ "Choose a preset": "Pasirinkite šabloną", "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", + "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index d2a7864c..cec6b61d 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 69316ee2..1fccebe5 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 09da6300..4282f2a6 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -115,7 +115,7 @@ 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": "Klik op het laatste punt om de vorm af te maken", + "Click last point to finish shape ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", "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", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 7e785289..26277bdb 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -115,7 +115,7 @@ "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": "Klik op het laatste punt om de vorm af te maken", + "Click last point to finish shape ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", "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", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index ac5acadc..4abfc843 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 57509834..f9e88989 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 4aee9c5e..05867c1e 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Wybierz szablon", "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", + "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 39676835..57f1f129 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -115,7 +115,7 @@ "Choose a preset": "Wybierz szablon", "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", + "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 63b202d0..dc1959b2 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index bb781522..4e37fed4 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 8ae0b9f8..545cc0e3 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 92883fa1..317dcaf8 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index f162dae3..efb46dde 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 777e2fc5..3dbb4fbe 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 5d46780a..20e00a26 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 45aec9cd..6e351c88 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 5e6c4780..5b753e00 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Выберите шаблон", "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", - "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", + "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 42419d98..2be52a2d 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -115,7 +115,7 @@ "Choose a preset": "Выберите шаблон", "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", - "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", + "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index f836cf05..0f47744d 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 06dac3ef..5a3d119e 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Vyberte predvoľbu", "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", + "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 3fd4c543..27f1e9f2 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -115,7 +115,7 @@ "Choose a preset": "Vyberte predvoľbu", "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", + "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index fb50b3de..681b8cc9 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Izbor prednastavitev", "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", + "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index cc096b1a..d62de312 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -115,7 +115,7 @@ "Choose a preset": "Izbor prednastavitev", "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", + "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 0ec4ca29..05d6f21e 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Изаберите претходно подешавање", "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", + "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index dc1a2e2a..c047eca7 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -115,7 +115,7 @@ "Choose a preset": "Изаберите претходно подешавање", "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", + "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index 3d1b3ccd..acf4ee92 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 31bd75e4..db110ccc 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index c6e5a72a..b5b8084c 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 07ac3816..928be82e 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -115,7 +115,7 @@ var locale = { "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 last point to finish shape ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index ebfd7eed..05339e56 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 236bc1b2..cce218e6 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Виберіть шаблон", "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", - "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", + "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 7d75fe0d..9334258e 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -115,7 +115,7 @@ "Choose a preset": "Виберіть шаблон", "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", - "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", + "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index a3e7eeec..8546b929 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index 85d03250..c3cad85a 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 06ac92ab..cc5174d3 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index addcdada..b853fb28 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", - "Click last point to finish shape": "Click last point to finish shape", + "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index d0c032b0..5ca5e146 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -115,7 +115,7 @@ "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 last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 62ac1eaf..a3db195b 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "選擇一種預設值", "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", - "Click last point to finish shape": "點下最後一點後完成外形", + "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 9ce03d2e..3b046688 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -115,7 +115,7 @@ "Choose a preset": "選擇一種預設值", "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", - "Click last point to finish shape": "點下最後一點後完成外形", + "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", From 50fffd041751192655c67e0e31174821503eb6d4 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 21 Apr 2023 23:19:18 +0200 Subject: [PATCH 050/143] i18n --- umap/locale/de/LC_MESSAGES/django.mo | Bin 7318 -> 7335 bytes umap/locale/de/LC_MESSAGES/django.po | 7 +- umap/locale/en/LC_MESSAGES/django.po | 22 +- umap/locale/fa_IR/LC_MESSAGES/django.mo | Bin 8905 -> 8955 bytes umap/locale/fa_IR/LC_MESSAGES/django.po | 7 +- umap/locale/th_TH/LC_MESSAGES/django.mo | Bin 436 -> 10318 bytes umap/locale/th_TH/LC_MESSAGES/django.po | 259 ++++++++++++------------ umap/static/umap/locale/bg.js | 4 +- umap/static/umap/locale/bg.json | 4 +- umap/static/umap/locale/de.js | 48 ++--- umap/static/umap/locale/de.json | 48 ++--- umap/static/umap/locale/fa_IR.js | 26 +-- umap/static/umap/locale/fa_IR.json | 26 +-- 13 files changed, 227 insertions(+), 224 deletions(-) diff --git a/umap/locale/de/LC_MESSAGES/django.mo b/umap/locale/de/LC_MESSAGES/django.mo index c80ae02a76e397424bfc0374386bff0ddedf373f..fd978ff1b70e45d49b8ad6cfc030b3d7efa9d48f 100644 GIT binary patch delta 1874 zcmXxkTTISz9LMqRbLjM_r$;%4dW0ycbQGzaLy0HmG_x*pi1D~6T zcMb#1I2XGy5eIP!KF3KojAPN0U^W@YqZjj0pDV_BxE{x08^&T6vIpxy9iR`jpMzQ%Je(Eb5CF@CaTqUm$MbMa2rxx>qVd5|9f<}SM~sP!Xea2-k~P? zh)VT0)I#4;C;aP}#H^=zo`U*ZAG%PBMOyaAOzP3SU`Xj@09h5loaEIK~tL8uhvM4=vN zZbBC_+9%XDymYOmC(XS{}j( zpEQVqlDYid7{u||jWh5bPR9XE!a+>M5%>3=1T!!9IhcaGkhNM1GN%Pm3qOHc$SGWj z-I&h&_KAxrbVMbZO~PpyizKN2eqSAR>7q?I2ChI3oJ(mH=>?z!XZ43T1e}J z$i!EXF6%-E?_em%#Q+yav6OA4;UiQgUZW-$M9RXxqZTrZTF8j|`zQ`tXPv-@`cqNQ zWuPYXqK>Y}?XN2urW3WXi>P9~olO3f;wN;dDnFto{)L$s!vSVtF6u0Iy7vcB&s{?e z+>d@7K)pqysEJdl$VFI&l$ixxL$2p^p`BdCMtq14&Sg{;TREy~_o6az47I?MNcQal z>d3l~AA98Xzr=j*KVUkJr(m)%4|Tr_wXo1JE|l{7NVe=TYQh0z6ZRGL8jj*coKBjQ znI6;`zCy~!-l2nEP~(lI5|^U~m61xE8f6whE#x@6V#)wBvkKDoZd1D^W#Ph006~s`vt^iJOtrwDZUtXt$8^v0j|4_x~{$+Q|#lKyOf~ z{)C$7Giry!uA_K{`$R_9-(5jAX6p$(uX9%;Vc{cC7St9;u+3ORkSL2~{%~W=@b28( zFzei#Qd~=HAeItJUm;OIloR?oRtD9Sfdz!VkW`>LDlJ}Z3!!g5HE#q9Y3FMQrECeI zBT&;BZX#9_+X*$*gNjY9j8Gc45|xBn7EwYJ6H2vO4nYmtHbRB2Bl8heM7qvjDgNK| zZmLxfI&(@O+;aKUdrs|y&vaS1H}a3iaj*ZQB39FxuOc=QenRhi9uZBb^205oFF9^j zbl>8H>bSM#^=%DD+7GqX2ilzCx`y`p;Qms-&+pG`YG`RJ$#n{R1-`_p+LpRtZC$`y m9jI+Ca@GafnrmB}%=-5B)}s9Uj*gDL{z*Gx`X;2@jQ, 2020 # Claus Ruedinger , 2020 # Ettore Atalan , 2016 @@ -16,8 +17,8 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: Christopher , 2020\n" -"Language-Team: German (http://www.transifex.com/openstreetmap/umap/language/de/)\n" +"Last-Translator: pgeo, 2023\n" +"Language-Team: German (http://app.transifex.com/openstreetmap/umap/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -296,7 +297,7 @@ msgstr "Über" #: umap/templates/umap/navigation.html:15 msgid "Help" -msgstr "" +msgstr "Hilfe" #: umap/templates/umap/navigation.html:18 msgid "Change password" diff --git a/umap/locale/en/LC_MESSAGES/django.po b/umap/locale/en/LC_MESSAGES/django.po index 51b9e2ed..423a1b23 100644 --- a/umap/locale/en/LC_MESSAGES/django.po +++ b/umap/locale/en/LC_MESSAGES/django.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"POT-Creation-Date: 2023-04-21 20:50+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -275,7 +275,7 @@ msgstr "" msgid "You are logged in. Continuing..." msgstr "" -#: umap/templates/umap/map_list.html:7 umap/views.py:227 +#: umap/templates/umap/map_list.html:7 umap/views.py:226 msgid "by" msgstr "" @@ -333,44 +333,44 @@ msgstr "" msgid "Not map found." msgstr "" -#: umap/views.py:232 +#: umap/views.py:231 msgid "View the map" msgstr "" -#: umap/views.py:529 +#: umap/views.py:519 #, 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 "" -#: umap/views.py:534 +#: umap/views.py:524 msgid "Congratulations, your map has been created!" msgstr "" -#: umap/views.py:564 +#: umap/views.py:554 msgid "Map has been updated!" msgstr "" -#: umap/views.py:589 +#: umap/views.py:579 msgid "Map editors updated with success!" msgstr "" -#: umap/views.py:614 +#: umap/views.py:604 msgid "Only its owner can delete the map." msgstr "" -#: umap/views.py:637 +#: umap/views.py:627 #, 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 "" -#: umap/views.py:642 +#: umap/views.py:632 msgid "Congratulations, your map has been cloned!" msgstr "" -#: umap/views.py:793 +#: umap/views.py:787 msgid "Layer successfully deleted." msgstr "" diff --git a/umap/locale/fa_IR/LC_MESSAGES/django.mo b/umap/locale/fa_IR/LC_MESSAGES/django.mo index 41981b48acff96d96bfbcbaf4bfb28c85cc5b2fb..6a6d3c00fa8d3989f413a15be09dfa82da00256e 100644 GIT binary patch delta 1872 zcmYk+Sx8h-9LMo9I+d0>Q!bUIP36*NPHJVYZRX_CqWI7v;e!=YF%o7%H3cmX8B~)# z1U+O>(nAYVBt;MQ(1Kt@L=J@Y5``pD6oI|;{ax>b2mgM~J#*)tbN~Ny=2gYtiooy; zXP2SX6LX0NQO2}l%_RQO+*6E6!|AA@T+GCk=*3-FjGdT{FL4HbK^KmpzCSg_7!NMO znYbDG3z#PUFJYhsmtq&jVL#5nL7asnI31&7jhT(f=)_#qeFd0<+b{`F;A9LUYcN+) zFVKTpP%oA;zj;n)J_F9FJQTCgjU}iFYEciULoIA4Y61H&0Z-ZE7jYri*HF*t#|8Kv z6LAc)F=3kZ=4KVTnBSDsNyV+G)U}}A_&A=!Zk&hd%&s>oLxxNRrr>te0{5c_{iyF> z!V$cUT1Z#?_{4q4km<*Oht43KHvEo9u$kA=f*ZFyv!c2LQPnQD&Zb`ywyei^`H(0lP#e7^$I(6NMYcPZ=^(ZbvS0ec@p;JhKim(lH@E(#3GmO>v4L4ySJBzLf z;5rQA7JP?Z%%JdVu>rN9Zp_9T=)(c5#3bsb7u+4NJI%I-a04H-<5_%ynrJ;|Mw{z2 zQVr9K>?iXGxy3v~)jW*4?-0aPY`VI4;Cp~f5Vri1#QptGHUOnyC- z+IA#M<~(ZR>-Y)7_y!+y6!d^j&-fcYL@oF=Dy1K7zoIhr162wYUZ)@)NsjSilFq-6 z4vRC5s0DPO9&`cON2VLKNqg<_yQl~Ep&s}G$8ZF-@Xri7P+5qydOFee#VXuNXg^gl zzctx5RI4E}2)+4QqJ$_Vv_O?(J)uSE7i=RDXBy^(6 zh$7~<&Z&nBZNf<77uot@QJr;smPbB7%5RoUxK>v?T8(3ERuDd2OlUfq>|1M}X;}M3 zn>kK-Rn2r1B8{VL?O11Mbn=2Ir?2^dKa>!AaEc>8c+8z0-Q@R&Zn_7YaYOfqZiUZ< P&xX$o-3s}Wcf|h#Ta=>@ delta 1826 zcmYk+OGs2v9LMqh=#<(^b5hf?#>_M)%V+t@d^BlgWl~Vu!XVmYJ_sL+ViuAWLImML zu!RI!P!SFESQWLX45ETI1r^yQgGj=Mo+K&*$9Zz4x5^KmU7w2cHE)?-RYl zMr$UP6W626j$`EX{S^8!Hr6Z! z*CKx*tKm17fgKpY9$bK9xD0RNQk=lWIEkq^j&0na?M1WZ9M=AdqnhgwhxYT{a4gooVmW0=WtKk7cCxC(Eh58q%m zenHl3i|0o&lZI)`Z@F}ovLNb758xT>#+CRJ^+c(xg0A^78P}l}SciVxiMqZWr|>jt zAzce26JJDzY!v-?4MRP2Cg}8HHIJ2scTt&mjhbK*DGU3GTF5ulLT23md)R30bsRq$ zPeomqg_6qRyMa6CSf)Sjce)chz}g zxF2s~5qe3dj!Ur&&tnEY#T=Z%O7!{2e>t5dHYyK?kYw0>+=)+c8~Ug$y4Hd<*nzw8 z7V0hdgVmT%0c2x0HsA=><0sUE<+5+G$h9&=r;dRj4&ph~1PQz&Dyn8A%hrq3kDW$N zu?wiZ9!H(`5LKL?QCm2RnmCn{f_NA;&p4LgSFFNN23L_yYeQYwg`02)m669-hSL~J z>I0ml)D`n?YC+wo@5V_~YDZ8Re1y&T(jCv_q$^zChkxNRZy8W#|hldUJB oh$6yiS>eQ(^r&!gTzibC;Nn<9c647~U-)^#b8q-^(t(A40kK<_%>V!Z diff --git a/umap/locale/fa_IR/LC_MESSAGES/django.po b/umap/locale/fa_IR/LC_MESSAGES/django.po index d209cb51..07caaec6 100644 --- a/umap/locale/fa_IR/LC_MESSAGES/django.po +++ b/umap/locale/fa_IR/LC_MESSAGES/django.po @@ -4,6 +4,7 @@ # # Translators: # Goudarz Jafari , 2020 +# *Sociologist Abedi*, 2023 # *Sociologist Abedi*, 2021 msgid "" msgstr "" @@ -11,8 +12,8 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: *Sociologist Abedi*, 2021\n" -"Language-Team: Persian (Iran) (http://www.transifex.com/openstreetmap/umap/language/fa_IR/)\n" +"Last-Translator: *Sociologist Abedi*, 2023\n" +"Language-Team: Persian (Iran) (http://app.transifex.com/openstreetmap/umap/language/fa_IR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -291,7 +292,7 @@ msgstr "درباره" #: umap/templates/umap/navigation.html:15 msgid "Help" -msgstr "" +msgstr "راهنما" #: umap/templates/umap/navigation.html:18 msgid "Change password" diff --git a/umap/locale/th_TH/LC_MESSAGES/django.mo b/umap/locale/th_TH/LC_MESSAGES/django.mo index 01cd4296b300192ee0209cff5ce217419846244b..01bd3543a5a1a0e1654816593f2bcd01c227d446 100644 GIT binary patch literal 10318 zcmdUzYm6Ob8OLAlxCn9+1r^^`3tQN;+m?&4y#Z~3LfdV-TNH_w*>k45)1EVPn3=bD@e&haV&WGQ2#LSvd1uaLcUx$p zA3WLF|IB-NF8}B9&N=U$f9hVtXOQcQTt`ke<{og>Y5e1J?it2>2|N#!p+0a9cnvrY zybD|i?gB3b-v-YI{|ELb<6U+fn>^}&KJuiWa!MDI!;Hh26 z1TO>61s8!Le>Euk*Mnl$H$l-q0-gijpN;ha7c^fG4`94Uf%}!AE?E$xf6QHcS1f$9)!3n5&hfs?Q~WaC3%Ff=hXR3tR)9PSPv_H-Hkq$H8InCGZ~bECy$R z_kq`f&w=y6--DNfXAlh0+Xsq04}jN$&w_V@e+0h)UQhCioX0__mm{F;{~dS(_#t={ zTtpD>0{;ch2iK5vvTqwG@(+Sv1%H*{U%+d5K9k_dx}~7Zd!Xd`4?vm!4H$tRf>(iC z5cVzbIS^ImBk(5hBAUVV;GLlGvKth>ehc1k5_v!o37_k5g3y@nfui?^pvZj<6uIi!ufdPNUr=0kgLRw|y%*DjMDHyi zC2YP9N<2JJ{CFG`xi5oa*E^ut^N(!)!pq!qA;S%z@OmF8>-U3_f4>9?v3VO5dGCS3 z>qp?Mlc+6(ivH!@#_*^;6wuEg|4+&8h5G@no4Ib`k{n;lC7)GXBJ*opH*g8x5;L)f zFljtUYwcUh!TdvMYD{heS8^@n>f@p`%v`S1xP%MgSw51V^1*aNJ8FKe;7($_AR9Ru zg!bl#)YTd~9bCoRQs=w&pr6!leAkFr}qE9m>t^TuZq6xgv#z z0*xA{-h2WiRZLIYv)r!8o+)pwk6W|n93&Sg39~L6kX(_xk(f$6mvQAEO5B{yb*c=^ z=`Pmd*bmcsst zBT<<2_OdoC*&w|gDI0CF_tqRg@=9ErWOR`${WhI*Q^mEmC@GK#XcH0u*BjeRfGwR&Sc zwQ_loR52bWg2Z`YqtKQkuheT+RE8naBPhwJ7yC{1X2rdJJT68Sz0mrlAT_u6sSU!U z8bE!I9d^_zkGJ~es#zuU*rZl0`bn~>RxXd*l3(^Qr`N0s!Yww9u&3%l_}HkAD&^D> zVlk}br(RIj)lm^ItYlhl=u)#P8bP~)BpZ)Bt@c8ZCs}8UQJJtL>Pt|B%Y0UdkE%*< zzb$24z)TPZOp&D1)%|(fkJ(*SzawPUszei>#)5P-cX5`kkUG#PWlP*BIU?TGkbxOd z?3>l&F6GwvW36Osf5855QxI1)56qe;a;ddzAcR_ph&Nn@OEt+a#zaR3 zrRKJn<{GiS89^NlQgV1Kgj*SRAyRA6hb9r;n%2M%#3hM@^C=}pStSIa?o+M9(N?oI zFQWX$7PY{d6WMdlAW34@N@A)HLRiVKL=5>Jg;aF4Masm{y#W^F6LcZW(He}}cnzQPzxf#;Y}6u}HX5Gw6G9aWn%L_Q5Ful7yd=n89Eql&l^M$ajXQ+EOGDkS;^k={nYMkJnL zuchs#L0ChEoJlOuemwHR|9mxAo) z3}R(CUWsanqirUwS^NIqtIf|hJ4XL5W_bk{KR199(#3N`6v| z1MQ~VOUF)3-cz$f#VAXJIISgmPY=qGeqJ6oetx!eS8KzZiE~YMFdEm3jmA*BkV*WM zNR1@Molluq>8zH+CDA&i`AJR?lf;!{+q(s?0$G~cz9j>^TnwhM@2BjSJk1Yv3S3VF zBB-U}>#;~+E2N9d+=LqKHQ$M%idh>+o9P9Gm8HTRyb^G5_iL~3TF;A2oEBCmBSEQf zQ*9(E3`PC6YwbW`y?<{Y3k%D!wBIh6H~*@_{P~3i3+()>`{&KOavq73v9RiFH`4pZTD!JR{Q(< zylS;K6>-5Pe`_xp+9z*Uyg)$!WcAhLA6rybUpl&R=+?fuU8`5FUeWSve($_4sTRUt z7@{BcQ-fR6KB_PX7fR~HL}>Abp_>cWwbqHwO@3Th5f-Bo(d)O@4F_q{Y-EV8uC?V_ z?3D{QQ@p%2hE;t`7SCTu4av;nc?-KtWAdR!eWEeBL;lx~HYV?H)SqtD_c!WK=p*9~ zH0rN3>f5Ki=dpKNqt1GEvFu=@en=l*Yt#?8xn~>oBTlruMD$zTfW8+R^*3}}?B0Y`ni>MH3!x12BV=0t6o&e&L8w2RwFT7j8r-9 z=6PMrmLrY&OFGNSy}EeUao?|1IRqS4av^$;NIKyNK^{ysgM?eigmdDAAy4PL?sqXe zvDFBEL#e!9jfD|dCKKSuk((vYbgP}V_Wci%H@XuG>y7%ON)KB;=ZF_L#84V75)I+IFZXU@p zVFo?YV&DmSp&ntZhN_3PB~fY&3gHOOqb@7Br?|)f^1ua#D#JUnX9rQ)rYkAO;nvbLWmy zA&)G0G`EyxKapCR+$Cqoi~=Bn9fz`zwHgvzJB~6rfEYu8OYN!idCVn#+1YcVWMc{> z5#<)UdR(>Qg3|URpJs#X#~Y3`_`^;lVz4`iXsOuNk#y2R+z!q*x8n)*vcvQCG-Zdd z&^ez6HTzPnqFSf7K4J*DJu%~Myu}D?Bi}HdqeKErdhvkutusdRlJN=hi$&x=HAfk9 zBl|wtw$>{PCQ_+Wy*Z9{7=nGtVCP4BD6)QIUE9f;gXA@COG@ZVfh!+*znKz9B;z~= zk*`+P^3!}FPF!1hizEJsFKudLajuA zo0nA^jIxrX%KSxn`+nB({);LW%~(Mw$a1(XWr%{ja@fqP>`WmY^L8v}?4dlb9FaIh zjGtF$d83h@0~w4Ss}7++y->HcvNggY8e?6~Id<9=Ln5>2#wRkHEigd0c5G&btI{lM zwT$3rLSNWx3`I`N znZWvHs8Q?4#ZE{(+DtW(l@%uAgn=?AHe}9rvJh1y2ArVQbtLYcZ}(#-8uUwqXv@BF zsb*r0hJ)H9k5Mq0k56ja@5SKEdvzWg(1RI{Lu}SAAYFy@%rnNtTUu+rKTe97?2XLG=F>OFkprtG<%kW5$h-;stR$L@>ytaCS-1Xdw*-H zmQ8KVW}5eTVN$Wpq9=!`X^NS>6qdX_EB&rR?4LP>)kxeX8EJ^SX8KWeI`_wOT>?P5 zxK`59vHwrK7cS{36fB;#z0|he+?tUjcbcbJetfx_lT^??N}K7-3G$z6AaFztL5Sed zEuGNz!%i0;@?jUNDLB%JcoA zz&h8Xk<5fhVy)ci+NobuQHc<^Kq~@~i~!OcJD>^S@~Z&T5P%H)Y46_bY^62ps3@wH zZ?01&gf&u#29J#6yjgd0XS-E1TX2Z~xUrkMFrDLFa(EK zXu!Y&;o)F7a1|VPrVi_P-0b*t#)&XJ=umIvJprj>`2C0F8$#Md2yq3BKCb|aZ z3Wg?DMi!F`1;kY=^D`3jlJfI1(-MLzr4rxWHsd{Nec9Z7|XfT(Tmrp(=a0mcj C6deu# diff --git a/umap/locale/th_TH/LC_MESSAGES/django.po b/umap/locale/th_TH/LC_MESSAGES/django.po index b1199c71..727b1559 100644 --- a/umap/locale/th_TH/LC_MESSAGES/django.po +++ b/umap/locale/th_TH/LC_MESSAGES/django.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Krittin Leewanich, 2023 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" -"Language-Team: Thai (Thailand) (http://www.transifex.com/openstreetmap/umap/language/th_TH/)\n" +"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"PO-Revision-Date: 2013-11-22 14:00+0000\n" +"Last-Translator: Krittin Leewanich, 2023\n" +"Language-Team: Thai (Thailand) (http://app.transifex.com/openstreetmap/umap/language/th_TH/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -24,353 +25,353 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "" +msgstr "นี่เป็นเพียงตัวอย่างสาธิต ใช้สำหรับการทดสอบและการเผยแพร่ล่วงหน้า ถ้าต้องการตัวอย่าง\nเสถียร โปรดใช้ %(stable_url)s คุณยังสามารถโฮสต์ตัวอย่างของคุณได้ เนื่องจากเป็นโอเพนซอร์ส!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 #: umap/templates/umap/about_summary.html:33 #: umap/templates/umap/navigation.html:26 msgid "Create a map" -msgstr "" +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 msgid "Log in" -msgstr "" +msgstr "เข้าสู่ระบบ" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 msgid "Sign in" -msgstr "" +msgstr "ลงชื่อเข้าใช้" #: tmp/framacarte/templates/umap/navigation.html:12 #: umap/templates/umap/navigation.html:20 msgid "Log out" -msgstr "" +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 msgid "Secret edit link is %s" -msgstr "" +msgstr "ลิงก์แก้ไขลับคือ %s" -#: umap/forms.py:44 umap/models.py:115 +#: umap/forms.py:44 umap/models.py:114 msgid "Everyone can edit" -msgstr "" +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 +#: umap/models.py:16 msgid "name" -msgstr "" +msgstr "ชื่อ" + +#: umap/models.py:47 +msgid "details" +msgstr "รายละเอียด" #: umap/models.py:48 -msgid "details" -msgstr "" - -#: umap/models.py:49 msgid "Link to a page where the licence is detailed." -msgstr "" +msgstr "ลิงก์ไปยังหน้ารายละเอียดใบอนุญาต" -#: umap/models.py:63 +#: umap/models.py:62 msgid "URL template using OSM tile format" -msgstr "" +msgstr "แม่แบบ URL ที่ใช้ฟอร์แมตไทล์ OSM" -#: umap/models.py:71 +#: umap/models.py:70 msgid "Order of the tilelayers in the edit box" -msgstr "" +msgstr "ลำดับของเลเยอร์ไทล์ในกล่องแก้ไข" + +#: umap/models.py:115 +msgid "Only editors can edit" +msgstr "แก้ไขเฉพาะผู้แก้ไข" #: umap/models.py:116 -msgid "Only editors can edit" -msgstr "" - -#: umap/models.py:117 msgid "Only owner can edit" -msgstr "" +msgstr "แก้ไขเฉพาะเจ้าของ" + +#: umap/models.py:119 +msgid "everyone (public)" +msgstr "ทุกคน (สาธารณะ)" #: umap/models.py:120 -msgid "everyone (public)" -msgstr "" +msgid "anyone with link" +msgstr "ทุกคนที่มีลิงก์" #: umap/models.py:121 -msgid "anyone with link" -msgstr "" +msgid "editors only" +msgstr "เฉพาะผู้แก้ไข" #: umap/models.py:122 -msgid "editors only" -msgstr "" - -#: umap/models.py:123 msgid "blocked" -msgstr "" +msgstr "บล็อก" -#: umap/models.py:126 umap/models.py:256 +#: umap/models.py:125 umap/models.py:255 msgid "description" -msgstr "" +msgstr "คำอธิบาย" + +#: umap/models.py:126 +msgid "center" +msgstr "ทำให้อยู่ตรงกลาง" #: umap/models.py:127 -msgid "center" -msgstr "" +msgid "zoom" +msgstr "ซูม" #: umap/models.py:128 -msgid "zoom" -msgstr "" - -#: umap/models.py:129 msgid "locate" -msgstr "" +msgstr "ระบุตำแหน่ง" -#: umap/models.py:129 +#: umap/models.py:128 msgid "Locate user on load?" -msgstr "" +msgstr "ระบุตำแหน่งผู้ใช้ที่กำลังโหลด?" + +#: umap/models.py:131 +msgid "Choose the map licence." +msgstr "เลือกใบอนุญาติแผนที่" #: umap/models.py:132 -msgid "Choose the map licence." -msgstr "" - -#: umap/models.py:133 msgid "licence" -msgstr "" +msgstr "ใบอนุญาติ" + +#: umap/models.py:137 +msgid "owner" +msgstr "เจ้าของ" #: umap/models.py:138 -msgid "owner" -msgstr "" +msgid "editors" +msgstr "ผู้แก้ไข" #: umap/models.py:139 -msgid "editors" -msgstr "" +msgid "edit status" +msgstr "สถานะการแก้ไข" #: umap/models.py:140 -msgid "edit status" -msgstr "" +msgid "share status" +msgstr "สถานะการแชร์" #: umap/models.py:141 -msgid "share status" -msgstr "" - -#: umap/models.py:142 msgid "settings" -msgstr "" +msgstr "การตั้งค่า" -#: umap/models.py:210 +#: umap/models.py:209 msgid "Clone of" -msgstr "" +msgstr "โคลนของ" + +#: umap/models.py:260 +msgid "display on load" +msgstr "แสดงตอนโหลด" #: umap/models.py:261 -msgid "display on load" -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 "" +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" -msgstr "" +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" -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 "เพิ่ม POI: เครื่องหมาย, เส้น, รูปร่าง..." #: umap/templates/umap/about_summary.html:13 msgid "Manage POIs colours and icons" -msgstr "" +msgstr "จัดการสีและสัญลักษณ์ POI" #: 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 "" +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 "" +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..." -msgstr "" +msgstr "คุณเข้าสู่ระบบแล้ว กำลังดำเนินการต่อ..." -#: umap/templates/umap/map_list.html:7 umap/views.py:214 +#: umap/templates/umap/map_list.html:7 umap/views.py:227 msgid "by" -msgstr "" +msgstr "โดย" #: umap/templates/umap/map_list.html:11 msgid "More" -msgstr "" +msgstr "เพิ่มเติม" #: umap/templates/umap/navigation.html:14 msgid "About" -msgstr "" +msgstr "เกี่ยวกับ" #: umap/templates/umap/navigation.html:15 -msgid "Feedback" -msgstr "" +msgid "Help" +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" -msgstr "" +msgstr "รหัสผ่านเก่า" #: umap/templates/umap/password_change.html:14 msgid "New password" -msgstr "" +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 +#: umap/views.py:232 msgid "View the map" -msgstr "" +msgstr "ดูแผนที่" -#: umap/views.py:524 +#: umap/views.py:529 #, 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 "แผนที่ของคุณถูกสร้างแล้ว! ถ้าคุณต้องการแก้ไขแผนที่นี้จากอุปกรณ์อื่น โปรดใช้ลิงค์: %(anonymous_url)s" -#: umap/views.py:529 +#: umap/views.py:534 msgid "Congratulations, your map has been created!" -msgstr "" +msgstr "ยินดีด้วย แผนที่ของคุณถูกสร้างขึ้นแล้ว!" -#: umap/views.py:561 +#: umap/views.py:564 msgid "Map has been updated!" -msgstr "" +msgstr "อัพเดทแผนที่แล้ว!" -#: umap/views.py:587 +#: umap/views.py:589 msgid "Map editors updated with success!" -msgstr "" +msgstr "ผู้แก้ไขแผนที่อัปเดตสำเร็จแล้ว!" -#: umap/views.py:612 +#: umap/views.py:614 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 "" +msgstr "แผนที่ของคุณถูกโคลนแล้ว! ถ้าคุณต้องการแก้ไขแผนที่นี้จากอุปกรณ์อื่น โปรดใช้ลิงค์: %(anonymous_url)s" #: umap/views.py:642 msgid "Congratulations, your map has been cloned!" -msgstr "" +msgstr "ยินดีด้วย แผนที่ของคุณถูกโคลนแล้ว!" -#: umap/views.py:809 +#: umap/views.py:793 msgid "Layer successfully deleted." -msgstr "" +msgstr "ลบเลเยอร์สำเร็จแล้ว" diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index b047d8b8..09fe58c4 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -47,9 +47,9 @@ var locale = { "On the top": "Отгоре", "Popup content template": "Popup content template", "Set symbol": "Set symbol", - "Side panel": "Side panel", + "Side panel": "Страничен панел", "Simplify": "Опрости", - "Symbol or url": "Symbol or url", + "Symbol or url": "Символ или URL", "Table": "Table", "always": "винаги", "clear": "изчисти", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index e014ba6e..87cc4500 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -47,9 +47,9 @@ "On the top": "Отгоре", "Popup content template": "Popup content template", "Set symbol": "Set symbol", - "Side panel": "Side panel", + "Side panel": "Страничен панел", "Simplify": "Опрости", - "Symbol or url": "Symbol or url", + "Symbol or url": "Символ или URL", "Table": "Table", "always": "винаги", "clear": "изчисти", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index d35fe308..608c5f1e 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -1,6 +1,6 @@ var locale = { "Add symbol": "Symbol hinzufügen", - "Allow scroll wheel zoom?": "Möchtest du Zoomen mit dem Mausrad erlauben?", + "Allow scroll wheel zoom?": "Zoomen mit dem Mausrad erlauben?", "Automatic": "Automatisch", "Ball": "Stecknadel", "Cancel": "Abbrechen", @@ -15,7 +15,7 @@ var locale = { "Default zoom level": "Standard-Zoomstufe", "Default: name": "Standard: Name", "Display label": "Beschriftung anzeigen", - "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap editor anzeigen", + "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap-Editor anzeigen", "Display the data layers control": "Datenebenensteuerung anzeigen", "Display the embed control": "Eingebettete Steuerung anzeigen", "Display the fullscreen control": "Vollbildsteuerung anzeigen", @@ -24,7 +24,7 @@ var locale = { "Display the search control": "Suchsteuerung anzeigen", "Display the tile layers control": "Kachelebenensteuerung anzeigen", "Display the zoom control": "Zoomsteuerung anzeigen", - "Do you want to display a caption bar?": "Mächtest du eine Überschrift (Fußzeile) anzeigen?", + "Do you want to display a caption bar?": "Möchtest du eine Überschrift (Fußzeile) anzeigen?", "Do you want to display a minimap?": "Möchtest du eine Übersichtskarte anzeigen?", "Do you want to display a panel on load?": "Möchtest du beim Seitenaufruf eine Seitenleiste anzeigen?", "Do you want to display popup footer?": "Möchtest du eine Fußzeile im Popup anzeigen?", @@ -82,7 +82,7 @@ var locale = { "**double star for bold**": "**Zwei Sterne für Fett**", "*simple star for italic*": "*Ein Stern für Kursiv*", "--- for an horizontal rule": "--- Für eine horizontale Linie", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z.B.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", "About": "Über", "Action not allowed :(": "Aktion nicht erlaubt :(", "Activate slideshow mode": "Diashowmodus aktivieren", @@ -111,11 +111,11 @@ var locale = { "Cancel edits": "Bearbeitungen abbrechen", "Center map on your location": "Die Karte auf deinen Standort ausrichten", "Change map background": "Hintergrundkarte ändern", - "Change tilelayers": "Hintergrundkarte ändern", + "Change tilelayers": "Kachelebenen ändern", "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Kllicke den letzten Punkt an, um die Form abzuschließen", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", @@ -128,7 +128,7 @@ var locale = { "Close": "Schließen", "Clustering radius": "Gruppierungsradius", "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", - "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-, oder semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", + "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", "Continue line": "Linie fortführen", "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", "Coordinates": "Koordinaten", @@ -266,7 +266,7 @@ var locale = { "Shape properties": "Formeigenschaften", "Short URL": "Kurze URL", "Short credits": "Kurze Credits", - "Show/hide layer": "Ebene Einblenden/Ausblenden", + "Show/hide layer": "Ebene einblenden/ausblenden", "Simple link: [[http://example.com]]": "Einfacher Link: [[http://beispiel.com]]", "Slideshow": "Diashow", "Smart transitions": "Weiche Übergänge", @@ -283,8 +283,8 @@ var locale = { "TMS format": "TMS-Format", "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 set.": "The zoom and center have been set.", + "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 set.": "Zoom und Mittelpunkt wurden gesetzt.", "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)", @@ -293,7 +293,7 @@ var locale = { "Transform to polygon": "In Fläche umwandeln", "Type of layer": "Ebenentyp", "Unable to detect format of file {filename}": "Format der Datei {filename} kann nicht erkannt werden", - "Untitled layer": "unbenannte Ebene", + "Untitled layer": "Unbenannte Ebene", "Untitled map": "Unbenannte Karte", "Update permissions": "Berechtigungen aktualisieren", "Update permissions and editors": "Berechtigungen und Bearbeiter ändern", @@ -316,7 +316,7 @@ var locale = { "Zoom in": "Hineinzoomen", "Zoom level for automatic zooms": "Zommstufe für automatischen Zoom", "Zoom out": "Herauszoomen", - "Zoom to layer extent": "Auf Ebenenausdehnung zommen", + "Zoom to layer extent": "Auf Ebenenausdehnung zoomen", "Zoom to the next": "Zum nächsten zoomen", "Zoom to the previous": "Zum vorherigen zoomen", "Zoom to this feature": "Auf dieses Element zoomen", @@ -370,18 +370,18 @@ 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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Erweiterte Filterschlüssel", + "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", + "Data filters": "Datenfilter", + "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", + "Example: key1,key2,key3": "Beispiel: key1,key2,key3", + "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", + "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", + "No results for these filters": "Keine Ergebnisse für diese Filter", + "Permanent credits": "Dauerhafte Danksagung", + "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", + "Select data": "Wähle Daten aus", + "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" }; L.registerLocale("de", locale); L.setLocale("de"); \ No newline at end of file diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index a09de601..f3c2a806 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -1,6 +1,6 @@ { "Add symbol": "Symbol hinzufügen", - "Allow scroll wheel zoom?": "Möchtest du Zoomen mit dem Mausrad erlauben?", + "Allow scroll wheel zoom?": "Zoomen mit dem Mausrad erlauben?", "Automatic": "Automatisch", "Ball": "Stecknadel", "Cancel": "Abbrechen", @@ -15,7 +15,7 @@ "Default zoom level": "Standard-Zoomstufe", "Default: name": "Standard: Name", "Display label": "Beschriftung anzeigen", - "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap editor anzeigen", + "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap-Editor anzeigen", "Display the data layers control": "Datenebenensteuerung anzeigen", "Display the embed control": "Eingebettete Steuerung anzeigen", "Display the fullscreen control": "Vollbildsteuerung anzeigen", @@ -24,7 +24,7 @@ "Display the search control": "Suchsteuerung anzeigen", "Display the tile layers control": "Kachelebenensteuerung anzeigen", "Display the zoom control": "Zoomsteuerung anzeigen", - "Do you want to display a caption bar?": "Mächtest du eine Überschrift (Fußzeile) anzeigen?", + "Do you want to display a caption bar?": "Möchtest du eine Überschrift (Fußzeile) anzeigen?", "Do you want to display a minimap?": "Möchtest du eine Übersichtskarte anzeigen?", "Do you want to display a panel on load?": "Möchtest du beim Seitenaufruf eine Seitenleiste anzeigen?", "Do you want to display popup footer?": "Möchtest du eine Fußzeile im Popup anzeigen?", @@ -82,7 +82,7 @@ "**double star for bold**": "**Zwei Sterne für Fett**", "*simple star for italic*": "*Ein Stern für Kursiv*", "--- for an horizontal rule": "--- Für eine horizontale Linie", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z.B.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", "About": "Über", "Action not allowed :(": "Aktion nicht erlaubt :(", "Activate slideshow mode": "Diashowmodus aktivieren", @@ -111,11 +111,11 @@ "Cancel edits": "Bearbeitungen abbrechen", "Center map on your location": "Die Karte auf deinen Standort ausrichten", "Change map background": "Hintergrundkarte ändern", - "Change tilelayers": "Hintergrundkarte ändern", + "Change tilelayers": "Kachelebenen ändern", "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Kllicke den letzten Punkt an, um die Form abzuschließen", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", @@ -128,7 +128,7 @@ "Close": "Schließen", "Clustering radius": "Gruppierungsradius", "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", - "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-, oder semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", + "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", "Continue line": "Linie fortführen", "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", "Coordinates": "Koordinaten", @@ -266,7 +266,7 @@ "Shape properties": "Formeigenschaften", "Short URL": "Kurze URL", "Short credits": "Kurze Credits", - "Show/hide layer": "Ebene Einblenden/Ausblenden", + "Show/hide layer": "Ebene einblenden/ausblenden", "Simple link: [[http://example.com]]": "Einfacher Link: [[http://beispiel.com]]", "Slideshow": "Diashow", "Smart transitions": "Weiche Übergänge", @@ -283,8 +283,8 @@ "TMS format": "TMS-Format", "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 set.": "The zoom and center have been set.", + "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 set.": "Zoom und Mittelpunkt wurden gesetzt.", "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)", @@ -293,7 +293,7 @@ "Transform to polygon": "In Fläche umwandeln", "Type of layer": "Ebenentyp", "Unable to detect format of file {filename}": "Format der Datei {filename} kann nicht erkannt werden", - "Untitled layer": "unbenannte Ebene", + "Untitled layer": "Unbenannte Ebene", "Untitled map": "Unbenannte Karte", "Update permissions": "Berechtigungen aktualisieren", "Update permissions and editors": "Berechtigungen und Bearbeiter ändern", @@ -316,7 +316,7 @@ "Zoom in": "Hineinzoomen", "Zoom level for automatic zooms": "Zommstufe für automatischen Zoom", "Zoom out": "Herauszoomen", - "Zoom to layer extent": "Auf Ebenenausdehnung zommen", + "Zoom to layer extent": "Auf Ebenenausdehnung zoomen", "Zoom to the next": "Zum nächsten zoomen", "Zoom to the previous": "Zum vorherigen zoomen", "Zoom to this feature": "Auf dieses Element zoomen", @@ -370,16 +370,16 @@ "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "Erweiterte Filterschlüssel", + "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", + "Data filters": "Datenfilter", + "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", + "Example: key1,key2,key3": "Beispiel: key1,key2,key3", + "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", + "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", + "No results for these filters": "Keine Ergebnisse für diese Filter", + "Permanent credits": "Dauerhafte Danksagung", + "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", + "Select data": "Wähle Daten aus", + "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" } \ No newline at end of file diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index edd592fc..7238440a 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.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 set.": "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)": "تغییر حالت ویرایش (Shift+Click)", @@ -370,18 +370,18 @@ var locale = { "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", "Permalink": "پیوند ثابت", "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "کلیدهای فیلتر پیشرفته", + "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", + "Data filters": "فیلتر داده‌ها", + "Do you want to display caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", + "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", + "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", + "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", + "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", + "Permanent credits": "اعتبارات دائمی", + "Permanent credits background": "پیشینه اعتبارات دائمی", + "Select data": "داده‌ها را انتخاب کنید", + "Will be permanently visible in the bottom left corner of the map": "برای همیشه در گوشه سمت چپ پایین نقشه قابل مشاهده خواهد بود" }; L.registerLocale("fa_IR", locale); L.setLocale("fa_IR"); \ 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 0339d780..3c65cef8 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 formatting": "قالب بندی متن", "The name of the property to use as feature label (ex.: \"nom\")": "نام ویژگی مورد استفاده برای برچسب ویژگی (به عنوان مثال: \"nom\")", - "The zoom and center have been set.": "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)": "تغییر حالت ویرایش (Shift+Click)", @@ -370,16 +370,16 @@ "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", "Permalink": "پیوند ثابت", "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Advanced filter keys": "کلیدهای فیلتر پیشرفته", + "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", + "Data filters": "فیلتر داده‌ها", + "Do you want to display caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", + "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", + "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", + "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", + "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", + "Permanent credits": "اعتبارات دائمی", + "Permanent credits background": "پیشینه اعتبارات دائمی", + "Select data": "داده‌ها را انتخاب کنید", + "Will be permanently visible in the bottom left corner of the map": "برای همیشه در گوشه سمت چپ پایین نقشه قابل مشاهده خواهد بود" } \ No newline at end of file From 9e688f4d247adb8f5868a23319e985e549a66d50 Mon Sep 17 00:00:00 2001 From: David Larlet Date: Sat, 22 Apr 2023 19:05:05 -0400 Subject: [PATCH 051/143] Optimize SVG icons sizes MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Using Jake Archibald’s tool: https://jakearchibald.github.io/svgomg/ with default settings except keeping width/height attributes because some old browsers require default sizes for rendering (it also avoid huge/100% icons in case the CSS is not applied for whatever reason). --- umap/static/umap/img/edit.svg | 110 ++-------------------------- umap/static/umap/img/logo.svg | 98 +------------------------ umap/static/umap/img/opensource.svg | 106 ++------------------------- umap/static/umap/img/osm.svg | 110 ++-------------------------- 4 files changed, 19 insertions(+), 405 deletions(-) diff --git a/umap/static/umap/img/edit.svg b/umap/static/umap/img/edit.svg index 93a110bb..def3be37 100644 --- a/umap/static/umap/img/edit.svg +++ b/umap/static/umap/img/edit.svg @@ -1,105 +1,7 @@ - - - - - - - - - - - - image/svg+xml - - - - - - - - - - - - - + + + + + + diff --git a/umap/static/umap/img/logo.svg b/umap/static/umap/img/logo.svg index 478f053e..1a8c2b75 100644 --- a/umap/static/umap/img/logo.svg +++ b/umap/static/umap/img/logo.svg @@ -1,96 +1,4 @@ - - - - - - - - - - - - image/svg+xml - - - - - - - - - - - + + + diff --git a/umap/static/umap/img/opensource.svg b/umap/static/umap/img/opensource.svg index 33387232..1bfd9fa1 100644 --- a/umap/static/umap/img/opensource.svg +++ b/umap/static/umap/img/opensource.svg @@ -1,103 +1,7 @@ - - - - - - - - - - - - image/svg+xml - - - - - - - - - - - - + + + + + diff --git a/umap/static/umap/img/osm.svg b/umap/static/umap/img/osm.svg index 5694b0a8..38eb3948 100644 --- a/umap/static/umap/img/osm.svg +++ b/umap/static/umap/img/osm.svg @@ -1,107 +1,7 @@ - - - - - - - - - - - - image/svg+xml - - - - - - - - - - - - - + + + + + From fec581548e25737bd11125a65a9a7afc82416433 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 21 Apr 2023 23:19:18 +0200 Subject: [PATCH 052/143] i18n --- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 6 +++++- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 2a6c6fea..ba8c0ee2 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -384,4 +384,4 @@ var locale = { "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" }; L.registerLocale("de", locale); -L.setLocale("de"); \ No newline at end of file +L.setLocale("de"); diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index de448695..72069e20 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -382,4 +382,8 @@ "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", "Select data": "Wähle Daten aus", "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" -} \ No newline at end of file +<<<<<<< HEAD +} +======= +} +>>>>>>> 15a1802 (i18n) From 839ffd89bb5f59111ae50aa43392d08aa0effacb Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 25 Apr 2023 10:03:55 +0000 Subject: [PATCH 053/143] add distance to "continue drawing message" --- umap/static/umap/locale/am_ET.js | 2 +- umap/static/umap/locale/am_ET.json | 2 +- umap/static/umap/locale/ar.js | 2 +- umap/static/umap/locale/ar.json | 2 +- umap/static/umap/locale/ast.js | 2 +- umap/static/umap/locale/ast.json | 2 +- umap/static/umap/locale/bg.js | 2 +- umap/static/umap/locale/bg.json | 2 +- umap/static/umap/locale/ca.js | 2 +- umap/static/umap/locale/ca.json | 2 +- umap/static/umap/locale/cs_CZ.js | 2 +- umap/static/umap/locale/cs_CZ.json | 2 +- umap/static/umap/locale/da.js | 2 +- umap/static/umap/locale/da.json | 2 +- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 2 +- umap/static/umap/locale/el.js | 2 +- umap/static/umap/locale/el.json | 2 +- umap/static/umap/locale/en.js | 2 +- umap/static/umap/locale/en.json | 2 +- umap/static/umap/locale/en_US.json | 2 +- umap/static/umap/locale/es.js | 2 +- umap/static/umap/locale/es.json | 2 +- umap/static/umap/locale/et.js | 2 +- umap/static/umap/locale/et.json | 2 +- umap/static/umap/locale/fa_IR.js | 2 +- umap/static/umap/locale/fa_IR.json | 2 +- umap/static/umap/locale/fi.js | 2 +- umap/static/umap/locale/fi.json | 2 +- umap/static/umap/locale/fr.js | 2 +- umap/static/umap/locale/fr.json | 2 +- umap/static/umap/locale/gl.js | 2 +- umap/static/umap/locale/gl.json | 2 +- umap/static/umap/locale/he.js | 2 +- umap/static/umap/locale/he.json | 2 +- umap/static/umap/locale/hr.js | 2 +- umap/static/umap/locale/hr.json | 2 +- umap/static/umap/locale/hu.js | 2 +- umap/static/umap/locale/hu.json | 2 +- umap/static/umap/locale/id.js | 2 +- umap/static/umap/locale/id.json | 2 +- umap/static/umap/locale/is.js | 2 +- umap/static/umap/locale/is.json | 2 +- umap/static/umap/locale/it.js | 2 +- umap/static/umap/locale/it.json | 2 +- umap/static/umap/locale/ja.js | 2 +- umap/static/umap/locale/ja.json | 2 +- umap/static/umap/locale/ko.js | 2 +- umap/static/umap/locale/ko.json | 2 +- umap/static/umap/locale/lt.js | 2 +- umap/static/umap/locale/lt.json | 2 +- umap/static/umap/locale/ms.js | 2 +- umap/static/umap/locale/ms.json | 2 +- umap/static/umap/locale/nl.js | 2 +- umap/static/umap/locale/nl.json | 2 +- umap/static/umap/locale/no.js | 2 +- umap/static/umap/locale/no.json | 2 +- umap/static/umap/locale/pl.js | 2 +- umap/static/umap/locale/pl.json | 2 +- umap/static/umap/locale/pl_PL.json | 2 +- umap/static/umap/locale/pt.js | 2 +- umap/static/umap/locale/pt.json | 2 +- umap/static/umap/locale/pt_BR.js | 2 +- umap/static/umap/locale/pt_BR.json | 2 +- umap/static/umap/locale/pt_PT.js | 2 +- umap/static/umap/locale/pt_PT.json | 2 +- umap/static/umap/locale/ro.js | 2 +- umap/static/umap/locale/ro.json | 2 +- umap/static/umap/locale/ru.js | 2 +- umap/static/umap/locale/ru.json | 2 +- umap/static/umap/locale/si_LK.js | 2 +- umap/static/umap/locale/si_LK.json | 2 +- umap/static/umap/locale/sk_SK.js | 2 +- umap/static/umap/locale/sk_SK.json | 2 +- umap/static/umap/locale/sl.js | 2 +- umap/static/umap/locale/sl.json | 2 +- umap/static/umap/locale/sr.js | 2 +- umap/static/umap/locale/sr.json | 2 +- umap/static/umap/locale/sv.js | 2 +- umap/static/umap/locale/sv.json | 2 +- umap/static/umap/locale/th_TH.js | 2 +- umap/static/umap/locale/th_TH.json | 2 +- umap/static/umap/locale/tr.js | 2 +- umap/static/umap/locale/tr.json | 2 +- umap/static/umap/locale/uk_UA.js | 2 +- umap/static/umap/locale/uk_UA.json | 2 +- umap/static/umap/locale/vi.js | 2 +- umap/static/umap/locale/vi.json | 2 +- umap/static/umap/locale/vi_VN.json | 2 +- umap/static/umap/locale/zh.js | 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.js | 2 +- umap/static/umap/locale/zh_TW.json | 2 +- 95 files changed, 95 insertions(+), 95 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 166785be..d83caec6 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", - "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", + "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", "Click to edit": "ለማረም ጠቅ አድርግ", "Click to start drawing a line": "መስመር ለመሳል ጠቅ አድርግ", "Click to start drawing a polygon": "ፖሊጎን ለመሳል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 23355682..c3eb5e4a 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", - "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", + "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", "Click to edit": "ለማረም ጠቅ አድርግ", "Click to start drawing a line": "መስመር ለመሳል ጠቅ አድርግ", "Click to start drawing a polygon": "ፖሊጎን ለመሳል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 3cbc5a52..9b98f868 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 2f0a1f2a..a4c29ffd 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index 8c26fc66..7a648a68 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index eef403e1..3dafe809 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 5e90fd60..558ed546 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index 2f7c4773..e9e665b0 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Feu clic per a afegir una marca", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index f69b82d6..abfc4f60 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Feu clic per a afegir una marca", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index de0d24bc..f6f2a511 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", + "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", "Click to edit": "Klikněte pro úpravy", "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index e8880ea0..5fd80544 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", + "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", "Click to edit": "Klikněte pro úpravy", "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 4034521b..11b06e39 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing": "Klik for at fortsætte indtegning", + "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", "Click to edit": "Klik for at redigere", "Click to start drawing a line": "Klik for at starte indtegning af linje", "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 4e64d5ec..a2764826 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing": "Klik for at fortsætte indtegning", + "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", "Click to edit": "Klik for at redigere", "Click to start drawing a line": "Klik for at starte indtegning af linje", "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index ba8c0ee2..5d506e22 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing": "Klicke, um weiter zu zeichnen", + "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", "Click to edit": "Zum Bearbeiten klicken", "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 72069e20..7834c59b 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing": "Klicke, um weiter zu zeichnen", + "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", "Click to edit": "Zum Bearbeiten klicken", "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 39d8a199..b8c6b210 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", - "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", + "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index d9a2862a..bf578378 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", - "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", + "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index b0aaf6d7..7ed59032 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index c38991c3..e2c1c72c 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Import into layer:", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 619ebb52..5b9fd838 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Elegir la capa a la que se importa", "Click last point to finish shape ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing": "Haga clic para continuar dibujando", + "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", "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", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 932fbbbe..7fae6e69 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Elegir la capa a la que se importa", "Click last point to finish shape ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing": "Haga clic para continuar dibujando", + "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", "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", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 937e0c49..9d0077a7 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Vali kiht, millesse importida", "Click last point to finish shape ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", "Click to add a marker": "Klõpsa markeri lisamiseks", - "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", + "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", "Click to edit": "Klõpsa muutmiseks", "Click to start drawing a line": "Klõpsa joone alustamiseks", "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 80c7953c..f0fc5240 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Vali kiht, millesse importida", "Click last point to finish shape ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", "Click to add a marker": "Klõpsa markeri lisamiseks", - "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", + "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", "Click to edit": "Klõpsa muutmiseks", "Click to start drawing a line": "Klõpsa joone alustamiseks", "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index c2034202..8096f77c 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", - "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", + "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", "Click to edit": "برای ویرایش کلیک کنید", "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 95d24b3f..ed76ee59 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", - "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", + "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", "Click to edit": "برای ویرایش کلیک کنید", "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 8b50740c..1f70f237 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", + "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", "Click to edit": "Klikkaa muokataksesi", "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index 91aaa6f2..c8be4403 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", + "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", "Click to edit": "Klikkaa muokataksesi", "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 48511ea4..4892d9b3 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing": "Cliquer pour continuer le tracé", + "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", "Click to edit": "Cliquer pour modifier", "Click to start drawing a line": "Cliquer pour commencer une ligne", "Click to start drawing a polygon": "Cliquer pour commencer un polygone", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 573e05cc..9edc3430 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing": "Cliquer pour continuer le tracé", + "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", "Click to edit": "Cliquer pour modifier", "Click to start drawing a line": "Cliquer pour commencer une ligne", "Click to start drawing a polygon": "Cliquer pour commencer un polygone", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index ebac4336..02b7aad2 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing": "Preme para seguir debuxando", + "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", "Click to edit": "Preme para editar", "Click to start drawing a line": "Preme para comezar a debuxar unha liña", "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index b09ca5ef..baab1c69 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing": "Preme para seguir debuxando", + "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", "Click to edit": "Preme para editar", "Click to start drawing a line": "Preme para comezar a debuxar unha liña", "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index da56d7f9..a273dade 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", - "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", + "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", "Click to edit": "יש ללחוץ כדי לערוך", "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 55d6a38e..74eb9846 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", - "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", + "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", "Click to edit": "יש ללחוץ כדי לערוך", "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 93747ce6..ee35e08f 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index b8f25d90..c9cc5c48 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 17709b55..433299fd 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing": "Kattintson a rajzolás folytatásához", + "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", "Click to edit": "Kattintson a szerkesztéshez", "Click to start drawing a line": "Kattintson egy vonal rajzolásához", "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 9ff8b2d1..0a7efaee 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing": "Kattintson a rajzolás folytatásához", + "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", "Click to edit": "Kattintson a szerkesztéshez", "Click to start drawing a line": "Kattintson egy vonal rajzolásához", "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 3fb76b06..3ca05624 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index 7b2a99b0..7a94ae54 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing": "Smelltu til að halda áfram að teikna", + "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", "Click to edit": "Smelltu til að breyta", "Click to start drawing a line": "Smelltu til að byrja að teikna línu", "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 908697d8..99c02277 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing": "Smelltu til að halda áfram að teikna", + "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", "Click to edit": "Smelltu til að breyta", "Click to start drawing a line": "Smelltu til að byrja að teikna línu", "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 49efddfb..7b0cb695 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing": "Clic per continuare a disegnare", + "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", "Click to edit": "Clic per la modifica", "Click to start drawing a line": "Clic per iniziare a disegnare una linea", "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 3cf8ce57..f0cbfc82 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing": "Clic per continuare a disegnare", + "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", "Click to edit": "Clic per la modifica", "Click to start drawing a line": "Clic per iniziare a disegnare una linea", "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 85176c61..b6723425 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", "Click to add a marker": "クリックでマーカー追加", - "Click to continue drawing": "クリックで描画を継続", + "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", "Click to edit": "クリックで編集", "Click to start drawing a line": "クリックでラインの描画開始", "Click to start drawing a polygon": "クリックでポリゴンの描画開始", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index a72facf9..5a124318 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", "Click to add a marker": "クリックでマーカー追加", - "Click to continue drawing": "クリックで描画を継続", + "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", "Click to edit": "クリックで編集", "Click to start drawing a line": "クリックでラインの描画開始", "Click to start drawing a polygon": "クリックでポリゴンの描画開始", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index a23abb6f..6fbc28d3 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", "Click to add a marker": "마커를 추가하려면 클릭", - "Click to continue drawing": "계속 그리려면 클릭", + "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", "Click to edit": "편집하려면 클릭", "Click to start drawing a line": "선을 그리려면 클릭", "Click to start drawing a polygon": "도형을 그리려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index b38ac764..2a88a84b 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", "Click to add a marker": "마커를 추가하려면 클릭", - "Click to continue drawing": "계속 그리려면 클릭", + "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", "Click to edit": "편집하려면 클릭", "Click to start drawing a line": "선을 그리려면 클릭", "Click to start drawing a polygon": "도형을 그리려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index b21b5666..b0b975d1 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing": "Paspauskite kad tęsti piešimą", + "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", "Click to edit": "Click to edit", "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index b593d035..ae52dbb6 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing": "Paspauskite kad tęsti piešimą", + "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", "Click to edit": "Click to edit", "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index cec6b61d..6cab6765 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Pilih lapisan untuk diimport", "Click last point to finish shape ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", "Click to add a marker": "Klik untuk tambahkan penanda", - "Click to continue drawing": "Klik untuk terus melukis", + "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", "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", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 1fccebe5..c1edb679 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Pilih lapisan untuk diimport", "Click last point to finish shape ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", "Click to add a marker": "Klik untuk tambahkan penanda", - "Click to continue drawing": "Klik untuk terus melukis", + "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", "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", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 4282f2a6..7f28e86c 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Kies de laag om in te importeren", "Click last point to finish shape ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", "Click to add a marker": "Klik om een punt toe te voegen", - "Click to continue drawing": "Klik om te blijven tekenen", + "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", "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", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 26277bdb..4af9e4f9 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Kies de laag om in te importeren", "Click last point to finish shape ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", "Click to add a marker": "Klik om een punt toe te voegen", - "Click to continue drawing": "Klik om te blijven tekenen", + "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", "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", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index 4abfc843..72d8c2db 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Klikk for å legge til en markør", - "Click to continue drawing": "Klikk for å fortsette å tegne", + "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", "Click to edit": "Klikk for å redigere", "Click to start drawing a line": "Klikk for å starte å tegne en linje", "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index f9e88989..b43e7453 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Klikk for å legge til en markør", - "Click to continue drawing": "Klikk for å fortsette å tegne", + "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", "Click to edit": "Klikk for å redigere", "Click to start drawing a line": "Klikk for å starte å tegne en linje", "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 05867c1e..638fcc95 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", + "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", "Click to edit": "Kliknij, aby edytować", "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 57f1f129..2360be72 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", + "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", "Click to edit": "Kliknij, aby edytować", "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index dc1959b2..8b1be5c3 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 4e37fed4..689a5baf 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 545cc0e3..5025a8a5 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 317dcaf8..604c82ea 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index efb46dde..e82f85f2 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 3dbb4fbe..97385c53 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", + "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 20e00a26..fe4ce89e 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 6e351c88..89db5639 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 5b753e00..9f687c63 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", "Click to add a marker": "Щёлкните, чтобы добавить метку", - "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", + "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", "Click to edit": "Щёлкните, чтобы изменить", "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 2be52a2d..77d960c6 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", "Click to add a marker": "Щёлкните, чтобы добавить метку", - "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", + "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", "Click to edit": "Щёлкните, чтобы изменить", "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index 0f47744d..e169a5be 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 5a3d119e..cb142691 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", + "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", "Click to edit": "Kliknutím upravte", "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 27f1e9f2..38da6622 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", + "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", "Click to edit": "Kliknutím upravte", "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 681b8cc9..08aeb9fc 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing": "Kliknite za nadaljevanje risanja", + "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", "Click to edit": "Kliknite za urejanje", "Click to start drawing a line": "Kliknite za začetek risanja črte", "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index d62de312..efeb046f 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing": "Kliknite za nadaljevanje risanja", + "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", "Click to edit": "Kliknite za urejanje", "Click to start drawing a line": "Kliknite za začetek risanja črte", "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 05d6f21e..f6b2e7a1 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", "Click to add a marker": "Клик за додавање ознаке", - "Click to continue drawing": "Клик да наставите са цртањем", + "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", "Click to edit": "Клик за уређивање", "Click to start drawing a line": "Клик да започнете цртање линије", "Click to start drawing a polygon": "Клик да започнете цртање површине", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index c047eca7..1964eaeb 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", "Click to add a marker": "Клик за додавање ознаке", - "Click to continue drawing": "Клик да наставите са цртањем", + "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", "Click to edit": "Клик за уређивање", "Click to start drawing a line": "Клик да започнете цртање линије", "Click to start drawing a polygon": "Клик да започнете цртање површине", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index acf4ee92..b5a306c0 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Välj lager att importera till", "Click last point to finish shape ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", "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 continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", "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", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index db110ccc..e058876f 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Välj lager att importera till", "Click last point to finish shape ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", "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 continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", "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", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index b5b8084c..2a0dd793 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 928be82e..24abcf9a 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "İçe aktarılacak katmanı seç", "Click last point to finish shape ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", "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 continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 05339e56..a41b52b2 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "İçe aktarılacak katmanı seç", "Click last point to finish shape ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", "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 continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index cce218e6..2377d932 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", "Click to add a marker": "Клацніть, щоб додати позначку", - "Click to continue drawing": "Клацайте, щоб продовжити креслення", + "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", "Click to edit": "Натисніть для редагування", "Click to start drawing a line": "Клацайте, щоб продовжити креслення", "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 9334258e..85a094c7 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", "Click to add a marker": "Клацніть, щоб додати позначку", - "Click to continue drawing": "Клацайте, щоб продовжити креслення", + "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", "Click to edit": "Натисніть для редагування", "Click to start drawing a line": "Клацайте, щоб продовжити креслення", "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index 8546b929..c07152f7 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index c3cad85a..33105f9d 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index cc5174d3..8929fb2f 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index b853fb28..fc07f8d1 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 5ca5e146..342591aa 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "Choose the layer to import in", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", + "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "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", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index a3db195b..a280cbb2 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -117,7 +117,7 @@ var locale = { "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", "Click to add a marker": "點選以新增標記", - "Click to continue drawing": "點擊以繼續繪製", + "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", "Click to edit": "點擊開始編輯", "Click to start drawing a line": "點擊以開始繪製直線", "Click to start drawing a polygon": "點選開始繪製多邊形", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 3b046688..6fcef9d3 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -117,7 +117,7 @@ "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", "Click to add a marker": "點選以新增標記", - "Click to continue drawing": "點擊以繼續繪製", + "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", "Click to edit": "點擊開始編輯", "Click to start drawing a line": "點擊以開始繪製直線", "Click to start drawing a polygon": "點選開始繪製多邊形", From 60fb67516def6a6557c817b595c006af4681e840 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 25 Apr 2023 10:19:43 +0000 Subject: [PATCH 054/143] add line distance and polygon area messages --- umap/static/umap/locale/am_ET.js | 2 ++ umap/static/umap/locale/am_ET.json | 2 ++ umap/static/umap/locale/ar.js | 2 ++ umap/static/umap/locale/ar.json | 2 ++ umap/static/umap/locale/ast.js | 2 ++ umap/static/umap/locale/ast.json | 2 ++ umap/static/umap/locale/bg.js | 2 ++ umap/static/umap/locale/bg.json | 2 ++ umap/static/umap/locale/ca.js | 2 ++ umap/static/umap/locale/ca.json | 2 ++ umap/static/umap/locale/cs_CZ.js | 2 ++ umap/static/umap/locale/cs_CZ.json | 2 ++ umap/static/umap/locale/da.js | 2 ++ umap/static/umap/locale/da.json | 2 ++ umap/static/umap/locale/de.js | 2 ++ umap/static/umap/locale/de.json | 2 ++ umap/static/umap/locale/el.js | 2 ++ umap/static/umap/locale/el.json | 2 ++ umap/static/umap/locale/en.js | 4 +++- umap/static/umap/locale/en.json | 4 +++- umap/static/umap/locale/en_US.json | 4 +++- umap/static/umap/locale/es.js | 2 ++ umap/static/umap/locale/es.json | 2 ++ umap/static/umap/locale/et.js | 2 ++ umap/static/umap/locale/et.json | 2 ++ umap/static/umap/locale/fa_IR.js | 2 ++ umap/static/umap/locale/fa_IR.json | 2 ++ umap/static/umap/locale/fi.js | 2 ++ umap/static/umap/locale/fi.json | 2 ++ umap/static/umap/locale/fr.js | 2 ++ umap/static/umap/locale/fr.json | 2 ++ umap/static/umap/locale/gl.js | 2 ++ umap/static/umap/locale/gl.json | 2 ++ umap/static/umap/locale/he.js | 2 ++ umap/static/umap/locale/he.json | 2 ++ umap/static/umap/locale/hr.js | 2 ++ umap/static/umap/locale/hr.json | 2 ++ umap/static/umap/locale/hu.js | 2 ++ umap/static/umap/locale/hu.json | 2 ++ umap/static/umap/locale/id.js | 2 ++ umap/static/umap/locale/id.json | 2 ++ umap/static/umap/locale/is.js | 2 ++ umap/static/umap/locale/is.json | 2 ++ umap/static/umap/locale/it.js | 2 ++ umap/static/umap/locale/it.json | 2 ++ umap/static/umap/locale/ja.js | 2 ++ umap/static/umap/locale/ja.json | 2 ++ umap/static/umap/locale/ko.js | 6 ++++-- umap/static/umap/locale/ko.json | 6 ++++-- umap/static/umap/locale/lt.js | 2 ++ umap/static/umap/locale/lt.json | 2 ++ umap/static/umap/locale/ms.js | 2 ++ umap/static/umap/locale/ms.json | 2 ++ umap/static/umap/locale/nl.js | 2 ++ umap/static/umap/locale/nl.json | 2 ++ umap/static/umap/locale/no.js | 2 ++ umap/static/umap/locale/no.json | 2 ++ umap/static/umap/locale/pl.js | 2 ++ umap/static/umap/locale/pl.json | 2 ++ umap/static/umap/locale/pl_PL.json | 2 ++ umap/static/umap/locale/pt.js | 2 ++ umap/static/umap/locale/pt.json | 2 ++ umap/static/umap/locale/pt_BR.js | 2 ++ umap/static/umap/locale/pt_BR.json | 2 ++ umap/static/umap/locale/pt_PT.js | 2 ++ umap/static/umap/locale/pt_PT.json | 2 ++ umap/static/umap/locale/ro.js | 2 ++ umap/static/umap/locale/ro.json | 2 ++ umap/static/umap/locale/ru.js | 2 ++ umap/static/umap/locale/ru.json | 2 ++ umap/static/umap/locale/si_LK.js | 2 ++ umap/static/umap/locale/si_LK.json | 2 ++ umap/static/umap/locale/sk_SK.js | 2 ++ umap/static/umap/locale/sk_SK.json | 2 ++ umap/static/umap/locale/sl.js | 2 ++ umap/static/umap/locale/sl.json | 2 ++ umap/static/umap/locale/sr.js | 2 ++ umap/static/umap/locale/sr.json | 2 ++ umap/static/umap/locale/sv.js | 2 ++ umap/static/umap/locale/sv.json | 2 ++ umap/static/umap/locale/th_TH.js | 2 ++ umap/static/umap/locale/th_TH.json | 2 ++ umap/static/umap/locale/tr.js | 2 ++ umap/static/umap/locale/tr.json | 2 ++ umap/static/umap/locale/uk_UA.js | 2 ++ umap/static/umap/locale/uk_UA.json | 2 ++ umap/static/umap/locale/vi.js | 2 ++ umap/static/umap/locale/vi.json | 2 ++ umap/static/umap/locale/vi_VN.json | 2 ++ umap/static/umap/locale/zh.js | 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.js | 2 ++ umap/static/umap/locale/zh_TW.json | 2 ++ 95 files changed, 197 insertions(+), 7 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index d83caec6..5fa4404c 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index c3eb5e4a..b25a3ab0 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 9b98f868..632b9478 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index a4c29ffd..d0d7985e 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index 7a648a68..b13df4a0 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index 3dafe809..a02cc922 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 558ed546..58dd8fe5 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index e9e665b0..a7b473d6 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index abfc4f60..4f21796f 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index f6f2a511..966914f3 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 5fd80544..e949abf9 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 11b06e39..51283a47 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index a2764826..4e5446e0 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 5d506e22..96839f0b 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 7834c59b..71dc7f8e 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index b8c6b210..2c8996c7 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index bf578378..7bd6f8a1 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index 7ed59032..cf7d551c 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", @@ -384,4 +386,4 @@ var locale = { "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("en", locale); -L.setLocale("en"); \ No newline at end of file +L.setLocale("en"); diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 342591aa..f2c8f3ea 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", @@ -382,4 +384,4 @@ "Permanent credits background": "Permanent credits background", "Select data": "Select data", "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} \ No newline at end of file +} diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index e2c1c72c..ee833ce4 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", @@ -382,4 +384,4 @@ "Permanent credits background": "Permanent credits background", "Select data": "Select data", "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} \ No newline at end of file +} diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 5b9fd838..a9a1290b 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 7fae6e69..a3b4e7d6 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -116,6 +116,8 @@ "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 9d0077a7..90bd92fa 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index f0fc5240..854d1875 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -116,6 +116,8 @@ "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index 8096f77c..cf4c20f2 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index ed76ee59..a097e454 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 1f70f237..aea43e74 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index c8be4403..f4fe793d 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 4892d9b3..0ec75106 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 9edc3430..226b85de 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 02b7aad2..ccf03be6 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index baab1c69..8335472d 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index a273dade..91b8f903 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 74eb9846..201701f2 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index ee35e08f..1bf1b356 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index c9cc5c48..f19956b2 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 433299fd..a7fc0629 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 0a7efaee..fc92df27 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 3ca05624..bc7e7e18 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index 7a94ae54..dec0084b 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 99c02277..f6647e38 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 7b0cb695..5f8a1156 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index f0cbfc82..75b9bfc0 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index b6723425..6c1defc6 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 5a124318..732b5341 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index 6fbc28d3..f414f422 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -115,7 +115,9 @@ var locale = { "Choose a preset": "프리셋 선택", "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", - "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", + "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", "Click to edit": "편집하려면 클릭", @@ -384,4 +386,4 @@ var locale = { "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" }; L.registerLocale("ko", locale); -L.setLocale("ko"); \ No newline at end of file +L.setLocale("ko"); diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 2a88a84b..65a4ed0a 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -115,7 +115,9 @@ "Choose a preset": "프리셋 선택", "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", - "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", + "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", "Click to edit": "편집하려면 클릭", @@ -382,4 +384,4 @@ "Permanent credits background": "Permanent credits background", "Select data": "Select data", "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} \ No newline at end of file +} diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index b0b975d1..5f106d99 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index ae52dbb6..985582f9 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 6cab6765..2342baa0 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index c1edb679..53a52da2 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -116,6 +116,8 @@ "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 7f28e86c..49f89ef5 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik om een punt toe te voegen", "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", "Click to edit": "Klik om te bewerken", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 4af9e4f9..a1bea26f 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -116,6 +116,8 @@ "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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik om een punt toe te voegen", "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", "Click to edit": "Klik om te bewerken", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index 72d8c2db..726be407 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index b43e7453..7b1a0992 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 638fcc95..d46090cb 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 2360be72..4ea34066 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 8b1be5c3..7a3a0369 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 689a5baf..1879567a 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 5025a8a5..cd749263 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 604c82ea..9d577abf 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index e82f85f2..3080ef37 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 97385c53..37ecf756 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index fe4ce89e..db0e1f66 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 89db5639..7eaef50a 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 9f687c63..065aae09 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 77d960c6..25710b8a 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index e169a5be..2abbc430 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index cb142691..28670696 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 38da6622..1856a94e 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 08aeb9fc..32164f5c 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index efeb046f..2b7e7786 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index f6b2e7a1..61bcd468 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 1964eaeb..657ebdff 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index b5a306c0..d75f099d 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicka för att lägga till en markör", "Click to continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", "Click to edit": "Klicka för att redigera", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index e058876f..97df0f7e 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -116,6 +116,8 @@ "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicka för att lägga till en markör", "Click to continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", "Click to edit": "Klicka för att redigera", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index 2a0dd793..ae656d13 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 24abcf9a..80b4c1c4 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -116,6 +116,8 @@ var locale = { "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", "Click to continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", "Click to edit": "Düzenlemek için tıkla", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index a41b52b2..bb06214d 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -116,6 +116,8 @@ "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", "Click to continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", "Click to edit": "Düzenlemek için tıkla", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 2377d932..1ac1fc25 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 85a094c7..5c8c42f7 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index c07152f7..5ecf103e 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index 33105f9d..c141dd8d 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 8929fb2f..26e2f841 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index fc07f8d1..1a638b02 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 342591aa..61e4dd5c 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -116,6 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index a280cbb2..33d5313d 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -116,6 +116,8 @@ var locale = { "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "點選以新增標記", "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", "Click to edit": "點擊開始編輯", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 6fcef9d3..b9f3fde5 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -116,6 +116,8 @@ "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", + "Line distance: {distance}": "Line distance: {distance}", + "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "點選以新增標記", "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", "Click to edit": "點擊開始編輯", From ee6724cddb98532ab573204d659eb9f31d17bf7e Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 25 Apr 2023 10:21:36 +0000 Subject: [PATCH 055/143] show line and polygon measurements while drawing / editing --- umap/static/umap/js/umap.controls.js | 35 +++++++++++++++++++--------- umap/static/umap/js/umap.features.js | 12 ++++++++-- 2 files changed, 34 insertions(+), 13 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index a1fbfc69..de8d540b 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1250,21 +1250,34 @@ L.U.Editable = L.Editable.extend({ drawingTooltip: function (e) { var content; - var readableDistance; if (e.layer instanceof L.Marker) content = L._('Click to add a marker'); else if (e.layer instanceof L.Polyline) { - if (!e.layer.editor._drawnLatLngs.length) { - if (e.layer instanceof L.Polygon){ - content = L._('Click to start drawing a polygon'); - } else if (e.layer instanceof L.Polyline) { - content = L._('Click to start drawing a line'); + // when drawing a Polyline or Polygon + if (e.layer.editor._drawnLatLngs) { + // when drawing first point + if (!e.layer.editor._drawnLatLngs.length) { + if (e.layer instanceof L.Polygon){ + content = L._('Click to start drawing a polygon'); + } else if (e.layer instanceof L.Polyline) { + content = L._('Click to start drawing a line'); + } + } else { + var readableDistance = e.layer.getMeasure(e.latlng); + if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { + // when drawing second point + content = L._('Click to continue drawing ({distance})', { distance: readableDistance }); + } else { + // when drawing third point (or more) + content = L._('Click last point to finish shape ({distance})', { distance: readableDistance }); + } } } else { - var tempLatLngs = e.layer.editor._drawnLatLngs.slice(); - tempLatLngs.push(e.latlng); - var length = L.GeoUtil.lineLength(this.map, tempLatLngs); - readableDistance = L.GeoUtil.readableDistance(length, this.map.measureTools.getMeasureUnit()); - content = L._('Click last point to finish shape ({distance})', {distance: readableDistance}); + // when moving an existing point + if (e.layer instanceof L.Polygon){ + content = L._('Polygon area: {area}', { area: e.layer.getMeasure() }); + } else if (e.layer instanceof L.Polyline) { + content = L._('Line distance: {distance}', { distance: e.layer.getMeasure() }); + } } } if (content) { diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index f4f51ae2..b6df7a41 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -853,8 +853,16 @@ L.U.Polyline = L.Polyline.extend({ return 'polyline'; }, - getMeasure: function () { - var length = L.GeoUtil.lineLength(this.map, this._defaultShape()); + getMeasure: function (extraPoint) { + var polyline; + if (extraPoint){ + var tmpLatLngs = this.editor._drawnLatLngs.slice(); + tmpLatLngs.push(extraPoint); + polyline = tmpLatLngs; + } else { + polyline = this._defaultShape(); + } + var length = L.GeoUtil.lineLength(this.map, polyline); return L.GeoUtil.readableDistance(length, this.map.measureTools.getMeasureUnit()); }, From 3f12b69c25392bff5e086212e181e59e6af3d45f Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 25 Apr 2023 11:11:00 +0000 Subject: [PATCH 056/143] extend getMeasure by argument extraPoint --- umap/static/umap/js/umap.features.js | 13 +++++++++++-- 1 file changed, 11 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index b6df7a41..8934ed85 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -1012,8 +1012,17 @@ L.U.Polygon = L.Polygon.extend({ return options.concat(L.U.FeatureMixin.getInteractionOptions()); }, - getMeasure: function () { - var area = L.GeoUtil.geodesicArea(this._defaultShape()); + getMeasure: function (extraPoint) { + var polygon; + if (extraPoint){ + var tmpLatLngs = this.editor._drawnLatLngs.slice(); + tmpLatLngs.push(extraPoint); + polygon = tmpLatLngs; + } else { + polygon = this._defaultShape(); + } + + var area = L.GeoUtil.geodesicArea(polygon); return L.GeoUtil.readableArea(area, this.map.measureTools.getMeasureUnit()); }, From 693b32c0ee172d433f0138e3c32de2a9ef449f0a Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 09:13:13 +0000 Subject: [PATCH 057/143] refactor getMeasure function --- umap/static/umap/js/umap.controls.js | 4 +++- umap/static/umap/js/umap.features.js | 29 ++++++---------------------- 2 files changed, 9 insertions(+), 24 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index de8d540b..3f61c09a 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1262,7 +1262,9 @@ L.U.Editable = L.Editable.extend({ content = L._('Click to start drawing a line'); } } else { - var readableDistance = e.layer.getMeasure(e.latlng); + var tmpLatLngs = this.editor._drawnLatLngs.slice(); + tmpLatLngs.push(e.latlng); + var readableDistance = e.layer.getMeasure(tmpLatLngs); if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { // when drawing second point content = L._('Click to continue drawing ({distance})', { distance: readableDistance }); diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index 8934ed85..d9fc87d2 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -853,17 +853,9 @@ L.U.Polyline = L.Polyline.extend({ return 'polyline'; }, - getMeasure: function (extraPoint) { - var polyline; - if (extraPoint){ - var tmpLatLngs = this.editor._drawnLatLngs.slice(); - tmpLatLngs.push(extraPoint); - polyline = tmpLatLngs; - } else { - polyline = this._defaultShape(); - } - var length = L.GeoUtil.lineLength(this.map, polyline); - return L.GeoUtil.readableDistance(length, this.map.measureTools.getMeasureUnit()); + getMeasure: function (shape) { + var measure = L.GeoUtil.lineLength(this.map, shape | this._defaultShape()); + return L.GeoUtil.readableDistance(measure, this.map.measureTools.getMeasureUnit()); }, getContextMenuEditItems: function (e) { @@ -1012,18 +1004,9 @@ L.U.Polygon = L.Polygon.extend({ return options.concat(L.U.FeatureMixin.getInteractionOptions()); }, - getMeasure: function (extraPoint) { - var polygon; - if (extraPoint){ - var tmpLatLngs = this.editor._drawnLatLngs.slice(); - tmpLatLngs.push(extraPoint); - polygon = tmpLatLngs; - } else { - polygon = this._defaultShape(); - } - - var area = L.GeoUtil.geodesicArea(polygon); - return L.GeoUtil.readableArea(area, this.map.measureTools.getMeasureUnit()); + getMeasure: function (shape) { + var measure = L.GeoUtil.lineLength(this.map, shape | this._defaultShape()); + return L.GeoUtil.readableArea(measure, this.map.measureTools.getMeasureUnit()); }, getContextMenuEditItems: function (e) { From c916a67ae0efd9d2fd076b3716b4139d8e7facba Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 09:27:57 +0000 Subject: [PATCH 058/143] bugfix --- umap/static/umap/js/umap.controls.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 3f61c09a..1dfe44da 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1262,7 +1262,7 @@ L.U.Editable = L.Editable.extend({ content = L._('Click to start drawing a line'); } } else { - var tmpLatLngs = this.editor._drawnLatLngs.slice(); + var tmpLatLngs = e.layer.editor._drawnLatLngs.slice(); tmpLatLngs.push(e.latlng); var readableDistance = e.layer.getMeasure(tmpLatLngs); if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { From 5d2a4cab5f4b69c4189ebb350bf70abe2da2bd16 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 09:39:15 +0000 Subject: [PATCH 059/143] fix syntax --- umap/static/umap/js/umap.features.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index d9fc87d2..e7f01e35 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -854,7 +854,7 @@ L.U.Polyline = L.Polyline.extend({ }, getMeasure: function (shape) { - var measure = L.GeoUtil.lineLength(this.map, shape | this._defaultShape()); + var measure = L.GeoUtil.lineLength(this.map, shape || this._defaultShape()); return L.GeoUtil.readableDistance(measure, this.map.measureTools.getMeasureUnit()); }, @@ -1005,7 +1005,7 @@ L.U.Polygon = L.Polygon.extend({ }, getMeasure: function (shape) { - var measure = L.GeoUtil.lineLength(this.map, shape | this._defaultShape()); + var measure = L.GeoUtil.lineLength(this.map, shape || this._defaultShape()); return L.GeoUtil.readableArea(measure, this.map.measureTools.getMeasureUnit()); }, From eb1cfdbab059ac3943630a954cc8d7ce6a1387b8 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 10:06:28 +0000 Subject: [PATCH 060/143] bugfixes: copy/paste + renaming --- umap/static/umap/js/umap.features.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index e7f01e35..c872e689 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -854,8 +854,8 @@ L.U.Polyline = L.Polyline.extend({ }, getMeasure: function (shape) { - var measure = L.GeoUtil.lineLength(this.map, shape || this._defaultShape()); - return L.GeoUtil.readableDistance(measure, this.map.measureTools.getMeasureUnit()); + var length = L.GeoUtil.lineLength(this.map, shape || this._defaultShape()); + return L.GeoUtil.readableDistance(length, this.map.measureTools.getMeasureUnit()); }, getContextMenuEditItems: function (e) { @@ -1005,8 +1005,8 @@ L.U.Polygon = L.Polygon.extend({ }, getMeasure: function (shape) { - var measure = L.GeoUtil.lineLength(this.map, shape || this._defaultShape()); - return L.GeoUtil.readableArea(measure, this.map.measureTools.getMeasureUnit()); + var area = L.GeoUtil.geodesicArea(shape || this._defaultShape()); + return L.GeoUtil.readableArea(area, this.map.measureTools.getMeasureUnit()); }, getContextMenuEditItems: function (e) { From 077688fc160649a3fbb6922861e1c297421149ea Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 10:18:59 +0000 Subject: [PATCH 061/143] Revert "add distance to "continue drawing message"" This reverts commit 839ffd89bb5f59111ae50aa43392d08aa0effacb. --- umap/static/umap/locale/am_ET.js | 2 +- umap/static/umap/locale/am_ET.json | 2 +- umap/static/umap/locale/ar.js | 2 +- umap/static/umap/locale/ar.json | 2 +- umap/static/umap/locale/ast.js | 2 +- umap/static/umap/locale/ast.json | 2 +- umap/static/umap/locale/bg.js | 2 +- umap/static/umap/locale/bg.json | 2 +- umap/static/umap/locale/ca.js | 2 +- umap/static/umap/locale/ca.json | 2 +- umap/static/umap/locale/cs_CZ.js | 2 +- umap/static/umap/locale/cs_CZ.json | 2 +- umap/static/umap/locale/da.js | 2 +- umap/static/umap/locale/da.json | 2 +- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 2 +- umap/static/umap/locale/el.js | 2 +- umap/static/umap/locale/el.json | 2 +- umap/static/umap/locale/en.js | 2 +- umap/static/umap/locale/en.json | 2 +- umap/static/umap/locale/en_US.json | 2 +- umap/static/umap/locale/es.js | 2 +- umap/static/umap/locale/es.json | 2 +- umap/static/umap/locale/et.js | 2 +- umap/static/umap/locale/et.json | 2 +- umap/static/umap/locale/fa_IR.js | 2 +- umap/static/umap/locale/fa_IR.json | 2 +- umap/static/umap/locale/fi.js | 2 +- umap/static/umap/locale/fi.json | 2 +- umap/static/umap/locale/fr.js | 2 +- umap/static/umap/locale/fr.json | 2 +- umap/static/umap/locale/gl.js | 2 +- umap/static/umap/locale/gl.json | 2 +- umap/static/umap/locale/he.js | 2 +- umap/static/umap/locale/he.json | 2 +- umap/static/umap/locale/hr.js | 2 +- umap/static/umap/locale/hr.json | 2 +- umap/static/umap/locale/hu.js | 2 +- umap/static/umap/locale/hu.json | 2 +- umap/static/umap/locale/id.js | 2 +- umap/static/umap/locale/id.json | 2 +- umap/static/umap/locale/is.js | 2 +- umap/static/umap/locale/is.json | 2 +- umap/static/umap/locale/it.js | 2 +- umap/static/umap/locale/it.json | 2 +- umap/static/umap/locale/ja.js | 2 +- umap/static/umap/locale/ja.json | 2 +- umap/static/umap/locale/ko.js | 2 +- umap/static/umap/locale/ko.json | 2 +- umap/static/umap/locale/lt.js | 2 +- umap/static/umap/locale/lt.json | 2 +- umap/static/umap/locale/ms.js | 2 +- umap/static/umap/locale/ms.json | 2 +- umap/static/umap/locale/nl.js | 2 +- umap/static/umap/locale/nl.json | 2 +- umap/static/umap/locale/no.js | 2 +- umap/static/umap/locale/no.json | 2 +- umap/static/umap/locale/pl.js | 2 +- umap/static/umap/locale/pl.json | 2 +- umap/static/umap/locale/pl_PL.json | 2 +- umap/static/umap/locale/pt.js | 2 +- umap/static/umap/locale/pt.json | 2 +- umap/static/umap/locale/pt_BR.js | 2 +- umap/static/umap/locale/pt_BR.json | 2 +- umap/static/umap/locale/pt_PT.js | 2 +- umap/static/umap/locale/pt_PT.json | 2 +- umap/static/umap/locale/ro.js | 2 +- umap/static/umap/locale/ro.json | 2 +- umap/static/umap/locale/ru.js | 2 +- umap/static/umap/locale/ru.json | 2 +- umap/static/umap/locale/si_LK.js | 2 +- umap/static/umap/locale/si_LK.json | 2 +- umap/static/umap/locale/sk_SK.js | 2 +- umap/static/umap/locale/sk_SK.json | 2 +- umap/static/umap/locale/sl.js | 2 +- umap/static/umap/locale/sl.json | 2 +- umap/static/umap/locale/sr.js | 2 +- umap/static/umap/locale/sr.json | 2 +- umap/static/umap/locale/sv.js | 2 +- umap/static/umap/locale/sv.json | 2 +- umap/static/umap/locale/th_TH.js | 2 +- umap/static/umap/locale/th_TH.json | 2 +- umap/static/umap/locale/tr.js | 2 +- umap/static/umap/locale/tr.json | 2 +- umap/static/umap/locale/uk_UA.js | 2 +- umap/static/umap/locale/uk_UA.json | 2 +- umap/static/umap/locale/vi.js | 2 +- umap/static/umap/locale/vi.json | 2 +- umap/static/umap/locale/vi_VN.json | 2 +- umap/static/umap/locale/zh.js | 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.js | 2 +- umap/static/umap/locale/zh_TW.json | 2 +- 95 files changed, 95 insertions(+), 95 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 5fa4404c..6b074913 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", - "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", + "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", "Click to start drawing a line": "መስመር ለመሳል ጠቅ አድርግ", "Click to start drawing a polygon": "ፖሊጎን ለመሳል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index b25a3ab0..758a6eea 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", - "Click to continue drawing ({distance})": "መሳል ለመቀጠል ጠቅ አድርግ ({distance})", + "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", "Click to start drawing a line": "መስመር ለመሳል ጠቅ አድርግ", "Click to start drawing a polygon": "ፖሊጎን ለመሳል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 632b9478..4fc0df26 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index d0d7985e..45591047 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index b13df4a0..f5bf3524 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index a02cc922..9c08dbac 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 58dd8fe5..42207c93 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index a7b473d6..44cd72b7 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Feu clic per a afegir una marca", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 4f21796f..3abe7d14 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Feu clic per a afegir una marca", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 966914f3..550433b8 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", + "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index e949abf9..614894ae 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing ({distance})": "Kliknutím můžeš pokračovat v kreslení ({distance})", + "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 51283a47..60d8b854 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", + "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", "Click to start drawing a line": "Klik for at starte indtegning af linje", "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 4e5446e0..5b208f1b 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing ({distance})": "Klik for at fortsætte indtegning ({distance})", + "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", "Click to start drawing a line": "Klik for at starte indtegning af linje", "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 96839f0b..530735d7 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", + "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 71dc7f8e..92140086 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing ({distance})": "Klicke, um weiter zu zeichnen ({distance})", + "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 2c8996c7..8dbf8e6d 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", - "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", + "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 7bd6f8a1..f7c87b8a 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", - "Click to continue drawing ({distance})": "Πατήστε για συνέχεια σχεδίασης ({distance})", + "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index cf7d551c..c137aba6 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index f2c8f3ea..4ae9daeb 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index ee833ce4..75734974 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index a9a1290b..d8595209 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", + "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", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index a3b4e7d6..57ec00bc 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing ({distance})": "Haga clic para continuar dibujando ({distance})", + "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", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 90bd92fa..6c24794e 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klõpsa markeri lisamiseks", - "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", + "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", "Click to start drawing a line": "Klõpsa joone alustamiseks", "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 854d1875..9ef49d7e 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klõpsa markeri lisamiseks", - "Click to continue drawing ({distance})": "Klõpsa joonistamise jätkamiseks ({distance})", + "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", "Click to start drawing a line": "Klõpsa joone alustamiseks", "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index cf4c20f2..6847ec3f 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", - "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", + "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index a097e454..b65cc363 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", - "Click to continue drawing ({distance})": "برای ادامه ترسیم کلیک کنید ({distance})", + "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index aea43e74..f5904003 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", + "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index f4fe793d..0781c3e4 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing ({distance})": "Klikkaa jatkaaksesi piirtämistä ({distance})", + "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 0ec75106..f4d7ad82 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", + "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", "Click to start drawing a line": "Cliquer pour commencer une ligne", "Click to start drawing a polygon": "Cliquer pour commencer un polygone", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 226b85de..eb3acf53 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing ({distance})": "Cliquer pour continuer le tracé ({distance})", + "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", "Click to start drawing a line": "Cliquer pour commencer une ligne", "Click to start drawing a polygon": "Cliquer pour commencer un polygone", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index ccf03be6..e4575157 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", + "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", "Click to start drawing a line": "Preme para comezar a debuxar unha liña", "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 8335472d..f6e829ed 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing ({distance})": "Preme para seguir debuxando ({distance})", + "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", "Click to start drawing a line": "Preme para comezar a debuxar unha liña", "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 91b8f903..51ce716f 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", - "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", + "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 201701f2..77806963 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", - "Click to continue drawing ({distance})": "יש ללחוץ כדי להמשיך בציור ({distance})", + "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 1bf1b356..d429fd1c 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index f19956b2..97c8d189 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index a7fc0629..ba849233 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", + "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", "Click to start drawing a line": "Kattintson egy vonal rajzolásához", "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index fc92df27..b5cfdb3c 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing ({distance})": "Kattintson a rajzolás folytatásához ({distance})", + "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", "Click to start drawing a line": "Kattintson egy vonal rajzolásához", "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index bc7e7e18..a8ef11ec 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index dec0084b..deefd9c6 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", + "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", "Click to start drawing a line": "Smelltu til að byrja að teikna línu", "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index f6647e38..750dbfb7 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing ({distance})": "Smelltu til að halda áfram að teikna ({distance})", + "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", "Click to start drawing a line": "Smelltu til að byrja að teikna línu", "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 5f8a1156..2c15e44d 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", + "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", "Click to start drawing a line": "Clic per iniziare a disegnare una linea", "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 75b9bfc0..5e195bfd 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing ({distance})": "Clic per continuare a disegnare ({distance})", + "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", "Click to start drawing a line": "Clic per iniziare a disegnare una linea", "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 6c1defc6..32c005f9 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "クリックでマーカー追加", - "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", + "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", "Click to start drawing a line": "クリックでラインの描画開始", "Click to start drawing a polygon": "クリックでポリゴンの描画開始", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 732b5341..3a0b1054 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "クリックでマーカー追加", - "Click to continue drawing ({distance})": "クリックで描画を継続 ({distance})", + "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", "Click to start drawing a line": "クリックでラインの描画開始", "Click to start drawing a polygon": "クリックでポリゴンの描画開始", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index f414f422..b63277ad 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "마커를 추가하려면 클릭", - "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", + "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", "Click to start drawing a line": "선을 그리려면 클릭", "Click to start drawing a polygon": "도형을 그리려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 65a4ed0a..ab6ac7f1 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "마커를 추가하려면 클릭", - "Click to continue drawing ({distance})": "계속 그리려면 클릭 ({distance})", + "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", "Click to start drawing a line": "선을 그리려면 클릭", "Click to start drawing a polygon": "도형을 그리려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 5f106d99..efd584af 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", + "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 985582f9..6b4ceb2d 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing ({distance})": "Paspauskite kad tęsti piešimą ({distance})", + "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 2342baa0..3996dcce 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik untuk tambahkan penanda", - "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", + "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", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 53a52da2..22756028 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik untuk tambahkan penanda", - "Click to continue drawing ({distance})": "Klik untuk terus melukis ({distance})", + "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", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 49f89ef5..82c8f3bb 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik om een punt toe te voegen", - "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", + "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", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index a1bea26f..12135ec9 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klik om een punt toe te voegen", - "Click to continue drawing ({distance})": "Klik om te blijven tekenen ({distance})", + "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", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index 726be407..b955399d 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikk for å legge til en markør", - "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", + "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", "Click to start drawing a line": "Klikk for å starte å tegne en linje", "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 7b1a0992..399e6daf 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klikk for å legge til en markør", - "Click to continue drawing ({distance})": "Klikk for å fortsette å tegne ({distance})", + "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", "Click to start drawing a line": "Klikk for å starte å tegne en linje", "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index d46090cb..e2c248ca 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", + "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 4ea34066..876c495a 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing ({distance})": "Kliknij, aby kontynuować rysowanie ({distance})", + "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 7a3a0369..2e364372 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 1879567a..11fc3886 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index cd749263..c4f5cc39 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 9d577abf..c552ce85 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index 3080ef37..a6bdea07 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 37ecf756..8057ab2d 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing ({distance})": "Clique para continuar a desenhar ({distance})", + "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", "Click to start drawing a line": "Clique para começar a desenhar uma linha", "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index db0e1f66..c2584062 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 7eaef50a..ae647e56 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 065aae09..35c9704c 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Щёлкните, чтобы добавить метку", - "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", + "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 25710b8a..06f0aff4 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Щёлкните, чтобы добавить метку", - "Click to continue drawing ({distance})": "Щёлкайте, чтобы продолжить рисование ({distance})", + "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index 2abbc430..ae324aef 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 28670696..96fbbbd6 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", + "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 1856a94e..0ff035ba 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing ({distance})": "Kliknutím môžete pokračovať v kreslení ({distance})", + "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 32164f5c..72c69336 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", + "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", "Click to start drawing a line": "Kliknite za začetek risanja črte", "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index 2b7e7786..c8c2b42e 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing ({distance})": "Kliknite za nadaljevanje risanja ({distance})", + "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", "Click to start drawing a line": "Kliknite za začetek risanja črte", "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 61bcd468..5f71383a 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клик за додавање ознаке", - "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", + "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", "Click to start drawing a line": "Клик да започнете цртање линије", "Click to start drawing a polygon": "Клик да започнете цртање површине", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 657ebdff..d1b6070d 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клик за додавање ознаке", - "Click to continue drawing ({distance})": "Клик да наставите са цртањем ({distance})", + "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", "Click to start drawing a line": "Клик да започнете цртање линије", "Click to start drawing a polygon": "Клик да започнете цртање површине", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index d75f099d..f54f4c09 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicka för att lägga till en markör", - "Click to continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", + "Click to continue drawing": "Klicka för att fortsätta rita", "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", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 97df0f7e..e7100064 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Klicka för att lägga till en markör", - "Click to continue drawing ({distance})": "Klicka för att fortsätta rita ({distance})", + "Click to continue drawing": "Klicka för att fortsätta rita", "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", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index ae656d13..d251a9b1 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 80b4c1c4..7feddb4a 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", - "Click to continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", + "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index bb06214d..5dc8886d 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", - "Click to continue drawing ({distance})": "Çizime devam etmek için tıklayın ({distance})", + "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 1ac1fc25..9c244bdf 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клацніть, щоб додати позначку", - "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", + "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", "Click to start drawing a line": "Клацайте, щоб продовжити креслення", "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 5c8c42f7..ed43b173 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Клацніть, щоб додати позначку", - "Click to continue drawing ({distance})": "Клацайте, щоб продовжити креслення ({distance})", + "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", "Click to start drawing a line": "Клацайте, щоб продовжити креслення", "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index 5ecf103e..6cc8c8f0 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index c141dd8d..f0805599 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 26e2f841..124cc8ce 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 1a638b02..09c815ca 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 61e4dd5c..1bfea060 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "Click to add a marker", - "Click to continue drawing ({distance})": "Click to continue drawing ({distance})", + "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", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 33d5313d..478f449f 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -119,7 +119,7 @@ var locale = { "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "點選以新增標記", - "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", + "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", "Click to start drawing a line": "點擊以開始繪製直線", "Click to start drawing a polygon": "點選開始繪製多邊形", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index b9f3fde5..a9a81f55 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -119,7 +119,7 @@ "Line distance: {distance}": "Line distance: {distance}", "Polygon area: {area}": "Polygon area: {area}", "Click to add a marker": "點選以新增標記", - "Click to continue drawing ({distance})": "點擊以繼續繪製 ({distance})", + "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", "Click to start drawing a line": "點擊以開始繪製直線", "Click to start drawing a polygon": "點選開始繪製多邊形", From 62c7a5f68902a78bcd8c80ecd7d9c5be4990b5fa Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 10:20:43 +0000 Subject: [PATCH 062/143] refactor: No need to translate ({distance}) --- umap/static/umap/js/umap.controls.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 1dfe44da..383b8312 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1267,11 +1267,12 @@ L.U.Editable = L.Editable.extend({ var readableDistance = e.layer.getMeasure(tmpLatLngs); if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { // when drawing second point - content = L._('Click to continue drawing ({distance})', { distance: readableDistance }); + content = L._('Click to continue drawing'); } else { // when drawing third point (or more) - content = L._('Click last point to finish shape ({distance})', { distance: readableDistance }); + content = L._('Click last point to finish shape'); } + content += " ("+readableDistance+")"; } } else { // when moving an existing point From 3d5da276d52eee5307b287a7c0c25e013ee98a9b Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 10:26:35 +0000 Subject: [PATCH 063/143] refactor: translation variables --- umap/static/umap/js/umap.controls.js | 4 ++-- umap/static/umap/locale/am_ET.js | 4 ++-- umap/static/umap/locale/am_ET.json | 4 ++-- umap/static/umap/locale/ar.js | 4 ++-- umap/static/umap/locale/ar.json | 4 ++-- umap/static/umap/locale/ast.js | 4 ++-- umap/static/umap/locale/ast.json | 4 ++-- umap/static/umap/locale/bg.js | 4 ++-- umap/static/umap/locale/bg.json | 4 ++-- umap/static/umap/locale/ca.js | 4 ++-- umap/static/umap/locale/ca.json | 4 ++-- umap/static/umap/locale/cs_CZ.js | 4 ++-- umap/static/umap/locale/cs_CZ.json | 4 ++-- umap/static/umap/locale/da.js | 4 ++-- umap/static/umap/locale/da.json | 4 ++-- umap/static/umap/locale/de.js | 4 ++-- umap/static/umap/locale/de.json | 4 ++-- umap/static/umap/locale/el.js | 4 ++-- umap/static/umap/locale/el.json | 4 ++-- umap/static/umap/locale/en.js | 4 ++-- umap/static/umap/locale/en.json | 4 ++-- umap/static/umap/locale/en_US.json | 4 ++-- umap/static/umap/locale/es.js | 4 ++-- umap/static/umap/locale/es.json | 4 ++-- umap/static/umap/locale/et.js | 4 ++-- umap/static/umap/locale/et.json | 4 ++-- umap/static/umap/locale/fa_IR.js | 4 ++-- umap/static/umap/locale/fa_IR.json | 4 ++-- umap/static/umap/locale/fi.js | 4 ++-- umap/static/umap/locale/fi.json | 4 ++-- umap/static/umap/locale/fr.js | 4 ++-- umap/static/umap/locale/fr.json | 4 ++-- umap/static/umap/locale/gl.js | 4 ++-- umap/static/umap/locale/gl.json | 4 ++-- umap/static/umap/locale/he.js | 4 ++-- umap/static/umap/locale/he.json | 4 ++-- umap/static/umap/locale/hr.js | 4 ++-- umap/static/umap/locale/hr.json | 4 ++-- umap/static/umap/locale/hu.js | 4 ++-- umap/static/umap/locale/hu.json | 4 ++-- umap/static/umap/locale/id.js | 4 ++-- umap/static/umap/locale/id.json | 4 ++-- umap/static/umap/locale/is.js | 4 ++-- umap/static/umap/locale/is.json | 4 ++-- umap/static/umap/locale/it.js | 4 ++-- umap/static/umap/locale/it.json | 4 ++-- umap/static/umap/locale/ja.js | 4 ++-- umap/static/umap/locale/ja.json | 4 ++-- umap/static/umap/locale/ko.js | 4 ++-- umap/static/umap/locale/ko.json | 4 ++-- umap/static/umap/locale/lt.js | 4 ++-- umap/static/umap/locale/lt.json | 4 ++-- umap/static/umap/locale/ms.js | 4 ++-- umap/static/umap/locale/ms.json | 4 ++-- umap/static/umap/locale/nl.js | 4 ++-- umap/static/umap/locale/nl.json | 4 ++-- umap/static/umap/locale/no.js | 4 ++-- umap/static/umap/locale/no.json | 4 ++-- umap/static/umap/locale/pl.js | 4 ++-- umap/static/umap/locale/pl.json | 4 ++-- umap/static/umap/locale/pl_PL.json | 4 ++-- umap/static/umap/locale/pt.js | 4 ++-- umap/static/umap/locale/pt.json | 4 ++-- umap/static/umap/locale/pt_BR.js | 4 ++-- umap/static/umap/locale/pt_BR.json | 4 ++-- umap/static/umap/locale/pt_PT.js | 4 ++-- umap/static/umap/locale/pt_PT.json | 4 ++-- umap/static/umap/locale/ro.js | 4 ++-- umap/static/umap/locale/ro.json | 4 ++-- umap/static/umap/locale/ru.js | 4 ++-- umap/static/umap/locale/ru.json | 4 ++-- umap/static/umap/locale/si_LK.js | 4 ++-- umap/static/umap/locale/si_LK.json | 4 ++-- umap/static/umap/locale/sk_SK.js | 4 ++-- umap/static/umap/locale/sk_SK.json | 4 ++-- umap/static/umap/locale/sl.js | 4 ++-- umap/static/umap/locale/sl.json | 4 ++-- umap/static/umap/locale/sr.js | 4 ++-- umap/static/umap/locale/sr.json | 4 ++-- umap/static/umap/locale/sv.js | 4 ++-- umap/static/umap/locale/sv.json | 4 ++-- umap/static/umap/locale/th_TH.js | 4 ++-- umap/static/umap/locale/th_TH.json | 4 ++-- umap/static/umap/locale/tr.js | 4 ++-- umap/static/umap/locale/tr.json | 4 ++-- umap/static/umap/locale/uk_UA.js | 4 ++-- umap/static/umap/locale/uk_UA.json | 4 ++-- umap/static/umap/locale/vi.js | 4 ++-- umap/static/umap/locale/vi.json | 4 ++-- umap/static/umap/locale/vi_VN.json | 4 ++-- umap/static/umap/locale/zh.js | 4 ++-- umap/static/umap/locale/zh.json | 4 ++-- umap/static/umap/locale/zh_CN.json | 4 ++-- umap/static/umap/locale/zh_TW.Big5.json | 4 ++-- umap/static/umap/locale/zh_TW.js | 4 ++-- umap/static/umap/locale/zh_TW.json | 4 ++-- 96 files changed, 192 insertions(+), 192 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 383b8312..5eecf5c4 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1277,9 +1277,9 @@ L.U.Editable = L.Editable.extend({ } else { // when moving an existing point if (e.layer instanceof L.Polygon){ - content = L._('Polygon area: {area}', { area: e.layer.getMeasure() }); + content = L._('Polygon area: {measure}', { measure: e.layer.getMeasure() }); } else if (e.layer instanceof L.Polyline) { - content = L._('Line distance: {distance}', { distance: e.layer.getMeasure() }); + content = L._('Line distance: {measure}', { measure: e.layer.getMeasure() }); } } } diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 6b074913..9df8da2d 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 758a6eea..2620d994 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 4fc0df26..6849ed5a 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 45591047..07172705 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index f5bf3524..7db5adf7 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index 9c08dbac..ff93565f 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 42207c93..2e2aad84 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index 44cd72b7..57036e85 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 3abe7d14..628ed880 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 550433b8..25ab078e 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 614894ae..367ce0f8 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 60d8b854..c6730cb7 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 5b208f1b..b3531cfb 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 530735d7..0e27a605 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 92140086..e00d65ca 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 8dbf8e6d..cedfd308 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index f7c87b8a..65717352 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index c137aba6..4c223371 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 4ae9daeb..ed224c02 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 75734974..cf9a378a 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index d8595209..d68bdeec 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 57ec00bc..01d1d38f 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -116,8 +116,8 @@ "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 6c24794e..5aa3651a 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 9ef49d7e..b8c1ebb5 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -116,8 +116,8 @@ "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index 6847ec3f..ef450d2a 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index b65cc363..4f908f5e 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index f5904003..e6ef7631 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index 0781c3e4..314d03b0 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index f4d7ad82..18243c96 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index eb3acf53..7661dc32 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index e4575157..0e95aff7 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index f6e829ed..9e3c8c55 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 51ce716f..1d3d5ee1 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 77806963..47daa2c4 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index d429fd1c..f91d9bed 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index 97c8d189..e7dfff3c 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index ba849233..2da957fb 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index b5cfdb3c..d8a02e13 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index a8ef11ec..546a2a76 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index deefd9c6..a3d25c0f 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 750dbfb7..11b1c0da 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 2c15e44d..844d1f9b 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 5e195bfd..8e8a7d1f 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 32c005f9..e3ec11ab 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 3a0b1054..f8b12c7a 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index b63277ad..29417d4c 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index ab6ac7f1..2f25a0de 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index efd584af..5998c5f0 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 6b4ceb2d..a072ff80 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 3996dcce..55adb133 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 22756028..e00f65b3 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -116,8 +116,8 @@ "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 82c8f3bb..a9ab9a5f 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 12135ec9..a3ede233 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -116,8 +116,8 @@ "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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index b955399d..ae29f15a 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 399e6daf..0ed19459 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index e2c248ca..febd044e 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 876c495a..cdaea6b7 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 2e364372..68aef3c6 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 11fc3886..91536312 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index c4f5cc39..6d2bce93 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index c552ce85..1546e466 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index a6bdea07..3cb5b7c9 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 8057ab2d..02b8490b 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index c2584062..5468e985 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index ae647e56..2a983a7f 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 35c9704c..aad8405c 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 06f0aff4..131b524d 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index ae324aef..dd74a94e 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 96fbbbd6..c5548aa4 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 0ff035ba..5a9cdf0f 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 72c69336..fb768ef8 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index c8c2b42e..ac24c617 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 5f71383a..aa7bc105 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index d1b6070d..2c755ee1 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index f54f4c09..ca308d56 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index e7100064..454a2e65 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -116,8 +116,8 @@ "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index d251a9b1..ab74c9f3 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 7feddb4a..992bf68e 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -116,8 +116,8 @@ var locale = { "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 5dc8886d..8845c708 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -116,8 +116,8 @@ "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 9c244bdf..5cd170e5 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index ed43b173..9784cddc 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index 6cc8c8f0..dca3d23f 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index f0805599..cf9a2130 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 124cc8ce..f7ee179a 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 09c815ca..54726c6c 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 1bfea060..155a2322 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -116,8 +116,8 @@ "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 ({distance})": "Click last point to finish shape ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 478f449f..946a0549 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -116,8 +116,8 @@ var locale = { "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index a9a81f55..b95a8ead 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -116,8 +116,8 @@ "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", - "Line distance: {distance}": "Line distance: {distance}", - "Polygon area: {area}": "Polygon area: {area}", + "Line distance: {measure}": "Line distance: {measure}", + "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", From ca40e762c130ad16029f298ade4e95c284155073 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Thu, 27 Apr 2023 12:14:04 +0000 Subject: [PATCH 064/143] Remove "({distance})" from locale "Click last point to finish shape" --- umap/static/umap/locale/am_ET.js | 2 +- umap/static/umap/locale/am_ET.json | 2 +- umap/static/umap/locale/ar.js | 2 +- umap/static/umap/locale/ar.json | 2 +- umap/static/umap/locale/ast.js | 2 +- umap/static/umap/locale/ast.json | 2 +- umap/static/umap/locale/bg.js | 2 +- umap/static/umap/locale/bg.json | 2 +- umap/static/umap/locale/ca.js | 2 +- umap/static/umap/locale/ca.json | 2 +- umap/static/umap/locale/cs_CZ.js | 2 +- umap/static/umap/locale/cs_CZ.json | 2 +- umap/static/umap/locale/da.js | 2 +- umap/static/umap/locale/da.json | 2 +- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 2 +- umap/static/umap/locale/el.js | 2 +- umap/static/umap/locale/el.json | 2 +- umap/static/umap/locale/en.js | 2 +- umap/static/umap/locale/en.json | 2 +- umap/static/umap/locale/en_US.json | 2 +- umap/static/umap/locale/es.js | 2 +- umap/static/umap/locale/es.json | 2 +- umap/static/umap/locale/et.js | 2 +- umap/static/umap/locale/et.json | 2 +- umap/static/umap/locale/fa_IR.js | 2 +- umap/static/umap/locale/fa_IR.json | 2 +- umap/static/umap/locale/fi.js | 2 +- umap/static/umap/locale/fi.json | 2 +- umap/static/umap/locale/fr.js | 2 +- umap/static/umap/locale/fr.json | 2 +- umap/static/umap/locale/gl.js | 2 +- umap/static/umap/locale/gl.json | 2 +- umap/static/umap/locale/he.js | 2 +- umap/static/umap/locale/he.json | 2 +- umap/static/umap/locale/hr.js | 2 +- umap/static/umap/locale/hr.json | 2 +- umap/static/umap/locale/hu.js | 2 +- umap/static/umap/locale/hu.json | 2 +- umap/static/umap/locale/id.js | 2 +- umap/static/umap/locale/id.json | 2 +- umap/static/umap/locale/is.js | 2 +- umap/static/umap/locale/is.json | 2 +- umap/static/umap/locale/it.js | 2 +- umap/static/umap/locale/it.json | 2 +- umap/static/umap/locale/ja.js | 2 +- umap/static/umap/locale/ja.json | 2 +- umap/static/umap/locale/ko.js | 2 +- umap/static/umap/locale/ko.json | 2 +- umap/static/umap/locale/lt.js | 2 +- umap/static/umap/locale/lt.json | 2 +- umap/static/umap/locale/ms.js | 2 +- umap/static/umap/locale/ms.json | 2 +- umap/static/umap/locale/nl.js | 2 +- umap/static/umap/locale/nl.json | 2 +- umap/static/umap/locale/no.js | 2 +- umap/static/umap/locale/no.json | 2 +- umap/static/umap/locale/pl.js | 2 +- umap/static/umap/locale/pl.json | 2 +- umap/static/umap/locale/pl_PL.json | 2 +- umap/static/umap/locale/pt.js | 2 +- umap/static/umap/locale/pt.json | 2 +- umap/static/umap/locale/pt_BR.js | 2 +- umap/static/umap/locale/pt_BR.json | 2 +- umap/static/umap/locale/pt_PT.js | 2 +- umap/static/umap/locale/pt_PT.json | 2 +- umap/static/umap/locale/ro.js | 2 +- umap/static/umap/locale/ro.json | 2 +- umap/static/umap/locale/ru.js | 2 +- umap/static/umap/locale/ru.json | 2 +- umap/static/umap/locale/si_LK.js | 2 +- umap/static/umap/locale/si_LK.json | 2 +- umap/static/umap/locale/sk_SK.js | 2 +- umap/static/umap/locale/sk_SK.json | 2 +- umap/static/umap/locale/sl.js | 2 +- umap/static/umap/locale/sl.json | 2 +- umap/static/umap/locale/sr.js | 2 +- umap/static/umap/locale/sr.json | 2 +- umap/static/umap/locale/sv.js | 2 +- umap/static/umap/locale/sv.json | 2 +- umap/static/umap/locale/th_TH.js | 2 +- umap/static/umap/locale/th_TH.json | 2 +- umap/static/umap/locale/tr.js | 2 +- umap/static/umap/locale/tr.json | 2 +- umap/static/umap/locale/uk_UA.js | 2 +- umap/static/umap/locale/uk_UA.json | 2 +- umap/static/umap/locale/vi.js | 2 +- umap/static/umap/locale/vi.json | 2 +- umap/static/umap/locale/vi_VN.json | 2 +- umap/static/umap/locale/zh.js | 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.js | 2 +- umap/static/umap/locale/zh_TW.json | 2 +- 95 files changed, 95 insertions(+), 95 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 9df8da2d..c8cfcc43 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "ፕሪሴት ምረጥ", "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", - "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", + "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 2620d994..91e54862 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -115,7 +115,7 @@ "Choose a preset": "ፕሪሴት ምረጥ", "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", - "Click last point to finish shape ({distance})": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ ({distance})", + "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 6849ed5a..feb3cb6b 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 07172705..0b7b248b 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index 7db5adf7..dd56515c 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index ff93565f..b4ad82a5 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Изберете предварително зададен", "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 2e2aad84..bc45672d 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -115,7 +115,7 @@ "Choose a preset": "Изберете предварително зададен", "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index 57036e85..6dfa80ca 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 628ed880..44c8cc98 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 25ab078e..6dd867eb 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Zvolte přednastavení", "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", + "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 367ce0f8..ae8b4cdb 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -115,7 +115,7 @@ "Choose a preset": "Zvolte přednastavení", "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape ({distance})": "Klikněte na poslední bod pro dokončení tvaru ({distance})", + "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index c6730cb7..43c7e84c 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Vælg en forudindstilling", "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", + "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index b3531cfb..7647d051 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -115,7 +115,7 @@ "Choose a preset": "Vælg en forudindstilling", "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape ({distance})": "Klik på det det sidste punkt for at afslutte figur ({distance})", + "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 0e27a605..adcef6ca 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index e00d65ca..944c1e0c 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -115,7 +115,7 @@ "Choose a preset": "Wähle eine Vorlage", "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape ({distance})": "Klicke den letzten Punkt an, um die Form abzuschließen ({distance})", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index cedfd308..11458cf3 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", - "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", + "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 65717352..87e7c045 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -115,7 +115,7 @@ "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", - "Click last point to finish shape ({distance})": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα ({distance})", + "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index 4c223371..5961a22b 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index ed224c02..9a76d60b 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index cf9a378a..5eee9361 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index d68bdeec..45348ff3 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", + "Click last point to finish shape": "Haga clic en el último punto para terminar la figura", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 01d1d38f..663c02a5 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -115,7 +115,7 @@ "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 ({distance})": "Haga clic en el último punto para terminar la figura ({distance})", + "Click last point to finish shape": "Haga clic en el último punto para terminar la figura", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 5aa3651a..91797165 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", + "Click last point to finish shape": "Klõpsa kujundi lõpetamiseks viimasel punktil", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index b8c1ebb5..29073ec1 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -115,7 +115,7 @@ "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 ({distance})": "Klõpsa kujundi lõpetamiseks viimasel punktil ({distance})", + "Click last point to finish shape": "Klõpsa kujundi lõpetamiseks viimasel punktil", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index ef450d2a..66fc077d 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", - "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", + "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 4f908f5e..4bfdecde 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -115,7 +115,7 @@ "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", - "Click last point to finish shape ({distance})": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید ({distance})", + "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index e6ef7631..4843af5c 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Valitse", "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", + "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index 314d03b0..fd33b418 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -115,7 +115,7 @@ "Choose a preset": "Valitse", "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape ({distance})": "Klikkaa viimeistä pistettä täydentääksesi muodon ({distance})", + "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 18243c96..18da8156 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choisir dans les présélections", "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", + "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 7661dc32..4697b6d8 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -115,7 +115,7 @@ "Choose a preset": "Choisir dans les présélections", "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape ({distance})": "Cliquer sur le dernier point pour finir le tracé ({distance})", + "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 0e95aff7..8e868651 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escoller un predefinido", "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", + "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 9e3c8c55..1533261a 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -115,7 +115,7 @@ "Choose a preset": "Escoller un predefinido", "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape ({distance})": "Preme no derradeiro punto para rematar a forma ({distance})", + "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 1d3d5ee1..dd3bd4af 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "נא לבחור ערכה", "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", - "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", + "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 47daa2c4..df2da770 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -115,7 +115,7 @@ "Choose a preset": "נא לבחור ערכה", "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", - "Click last point to finish shape ({distance})": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה ({distance})", + "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index f91d9bed..c9f706cb 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -115,7 +115,7 @@ var locale = { "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": "Odaberi sloj za uvoz", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index e7dfff3c..7595c44a 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -115,7 +115,7 @@ "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": "Odaberi sloj za uvoz", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 2da957fb..92a74418 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Előbeállítás kiválasztása", "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", + "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index d8a02e13..1c1144bb 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -115,7 +115,7 @@ "Choose a preset": "Előbeállítás kiválasztása", "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape ({distance})": "Az alakzat befejezéséhez kattintson az utolsó pontra ({distance})", + "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 546a2a76..94c69dba 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index a3d25c0f..69e0f8ff 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Veldu forstillingu", "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", + "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 11b1c0da..48fcbbe9 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -115,7 +115,7 @@ "Choose a preset": "Veldu forstillingu", "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape ({distance})": "Smelltu á síðasta punktinn til að ljúka lögun ({distance})", + "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 844d1f9b..a0a28f1b 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Seleziona una preimpostazione", "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", + "Click last point to finish shape": "Click su ultimo punto per completare la geometria", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 8e8a7d1f..84b831da 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -115,7 +115,7 @@ "Choose a preset": "Seleziona una preimpostazione", "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape ({distance})": "Click su ultimo punto per completare la geometria ({distance})", + "Click last point to finish shape": "Click su ultimo punto per completare la geometria", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index e3ec11ab..94066211 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "プリセット選択", "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", - "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", + "Click last point to finish shape": "クリックでシェイプの作成を終了", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index f8b12c7a..6f43545b 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -115,7 +115,7 @@ "Choose a preset": "プリセット選択", "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", - "Click last point to finish shape ({distance})": "クリックでシェイプの作成を終了 ({distance})", + "Click last point to finish shape": "クリックでシェイプの作成を終了", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index 29417d4c..77eb5044 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "프리셋 선택", "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", - "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", + "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 2f25a0de..c49f3158 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -115,7 +115,7 @@ "Choose a preset": "프리셋 선택", "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", - "Click last point to finish shape ({distance})": "도형을 그만 그리려면 마지막 점을 클릭 ({distance})", + "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 5998c5f0..64d9dd88 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Pasirinkite šabloną", "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", + "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index a072ff80..72cf86f5 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -115,7 +115,7 @@ "Choose a preset": "Pasirinkite šabloną", "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape ({distance})": "Paspauskite ant paskutinio taško kad baigti piešimą ({distance})", + "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 55adb133..6f1c89d1 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", + "Click last point to finish shape": "Klik titik akhir untuk lengkapkan bentuk", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index e00f65b3..5036ef67 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -115,7 +115,7 @@ "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 ({distance})": "Klik titik akhir untuk lengkapkan bentuk ({distance})", + "Click last point to finish shape": "Klik titik akhir untuk lengkapkan bentuk", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index a9ab9a5f..7cfa45b2 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -115,7 +115,7 @@ 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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", + "Click last point to finish shape": "Klik op het laatste punt om de vorm af te maken", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik om een punt toe te voegen", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index a3ede233..b0c36e95 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -115,7 +115,7 @@ "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 ({distance})": "Klik op het laatste punt om de vorm af te maken ({distance})", + "Click last point to finish shape": "Klik op het laatste punt om de vorm af te maken", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik om een punt toe te voegen", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index ae29f15a..67f197e2 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 0ed19459..5f645af1 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index febd044e..6bf1ddf3 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Wybierz szablon", "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", + "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index cdaea6b7..46b0480c 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -115,7 +115,7 @@ "Choose a preset": "Wybierz szablon", "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape ({distance})": "Kliknij ostatni punkt, aby zakończyć rysowanie ({distance})", + "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 68aef3c6..96c212be 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 91536312..abcd1beb 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 6d2bce93..21750140 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 1546e466..d35d1403 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index 3cb5b7c9..fa5f9538 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 02b8490b..68b96249 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -115,7 +115,7 @@ "Choose a preset": "Escolha um modelo", "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape ({distance})": "Clique no último ponto para terminar a forma geométrica ({distance})", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 5468e985..41c3feec 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 2a983a7f..b4726bf3 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index aad8405c..3cf369a3 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Выберите шаблон", "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", - "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", + "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 131b524d..e43efff9 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -115,7 +115,7 @@ "Choose a preset": "Выберите шаблон", "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", - "Click last point to finish shape ({distance})": "Щёлкните на последней точке, чтобы завершить ({distance})", + "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index dd74a94e..3737590f 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index c5548aa4..1cf7b402 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Vyberte predvoľbu", "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", + "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 5a9cdf0f..d854e665 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -115,7 +115,7 @@ "Choose a preset": "Vyberte predvoľbu", "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape ({distance})": "Kliknite na posledný bod pre dokončenie tvaru ({distance})", + "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index fb768ef8..85ae527e 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Izbor prednastavitev", "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", + "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index ac24c617..121e104c 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -115,7 +115,7 @@ "Choose a preset": "Izbor prednastavitev", "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape ({distance})": "Kliknite na zadnjo točko za dokončanje risanja oblike ({distance})", + "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index aa7bc105..f7c83082 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Изаберите претходно подешавање", "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", + "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 2c755ee1..841f48ee 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -115,7 +115,7 @@ "Choose a preset": "Изаберите претходно подешавање", "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", - "Click last point to finish shape ({distance})": "Кликните на последњу тачку да бисте довршили облик ({distance})", + "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index ca308d56..4a9d89ff 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", + "Click last point to finish shape": "Klicka på sista punkten för att slutföra formen", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicka för att lägga till en markör", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 454a2e65..6f21aaf3 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -115,7 +115,7 @@ "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 ({distance})": "Klicka på sista punkten för att slutföra formen ({distance})", + "Click last point to finish shape": "Klicka på sista punkten för att slutföra formen", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicka för att lägga till en markör", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index ab74c9f3..888f956c 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 992bf68e..6e918fae 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -115,7 +115,7 @@ var locale = { "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", + "Click last point to finish shape": "Şekli bitirmek için son noktaya tıklayın", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 8845c708..573c0f98 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -115,7 +115,7 @@ "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 ({distance})": "Şekli bitirmek için son noktaya tıklayın ({distance})", + "Click last point to finish shape": "Şekli bitirmek için son noktaya tıklayın", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 5cd170e5..c857aad5 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Виберіть шаблон", "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", - "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", + "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 9784cddc..ffe496cc 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -115,7 +115,7 @@ "Choose a preset": "Виберіть шаблон", "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", - "Click last point to finish shape ({distance})": "Клацніть на останній точці, щоб завершити ({distance})", + "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index dca3d23f..eb30d8f2 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index cf9a2130..0e4a24e0 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index f7ee179a..6002416b 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "Choose a preset", "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 54726c6c..9da6be86 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -115,7 +115,7 @@ "Choose a preset": "Choose a preset", "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", - "Click last point to finish shape ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 155a2322..3250ea7e 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -115,7 +115,7 @@ "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 ({distance})": "Click last point to finish shape ({distance})", + "Click last point to finish shape": "Click last point to finish shape", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 946a0549..6e63290d 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -115,7 +115,7 @@ var locale = { "Choose a preset": "選擇一種預設值", "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", - "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", + "Click last point to finish shape": "點下最後一點後完成外形", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index b95a8ead..69000eee 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -115,7 +115,7 @@ "Choose a preset": "選擇一種預設值", "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", - "Click last point to finish shape ({distance})": "點下最後一點後完成外形 ({distance})", + "Click last point to finish shape": "點下最後一點後完成外形", "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", From d1ffd76d47d29f40fe2359fdb7ea1ba16a825a48 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Fri, 28 Apr 2023 12:55:01 +0000 Subject: [PATCH 065/143] cleanup --- umap/static/umap/locale/de.json | 4 ---- 1 file changed, 4 deletions(-) diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 944c1e0c..bac29ccc 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -384,8 +384,4 @@ "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", "Select data": "Wähle Daten aus", "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" -<<<<<<< HEAD } -======= -} ->>>>>>> 15a1802 (i18n) From 5e3a92d173674622fba647a23d9d773f5c0d2281 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 30 Apr 2023 11:35:23 +0200 Subject: [PATCH 066/143] Control which version of mkdocs is install on readthedocs --- .readthedocs.yaml | 20 ++++++++++++++++++++ docs/requirements.txt | 2 ++ 2 files changed, 22 insertions(+) create mode 100644 .readthedocs.yaml create mode 100644 docs/requirements.txt diff --git a/.readthedocs.yaml b/.readthedocs.yaml new file mode 100644 index 00000000..e2645f94 --- /dev/null +++ b/.readthedocs.yaml @@ -0,0 +1,20 @@ +# .readthedocs.yaml +# Read the Docs configuration file +# See https://docs.readthedocs.io/en/stable/config-file/v2.html for details + +# Required +version: 2 + +# Set the version of Python and other tools you might need +build: + os: ubuntu-22.04 + tools: + python: "3.11" + +mkdocs: + configuration: mkdocs.yml + +# Optionally declare the Python requirements required to build your docs +python: + install: + - requirements: docs/requirements.txt diff --git a/docs/requirements.txt b/docs/requirements.txt new file mode 100644 index 00000000..c8c0c847 --- /dev/null +++ b/docs/requirements.txt @@ -0,0 +1,2 @@ +# Force rtfd to use a recent version of mkdocs +mkdocs==1.4.2 From afbe7c90d8df0089109cca3dff4b77d3ee06bd34 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 2 May 2023 08:00:46 +0000 Subject: [PATCH 067/143] dont show popup "click to add a marker" when moving marker --- umap/static/umap/js/umap.controls.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 5eecf5c4..418c99c7 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1250,8 +1250,9 @@ L.U.Editable = L.Editable.extend({ drawingTooltip: function (e) { var content; - if (e.layer instanceof L.Marker) content = L._('Click to add a marker'); - else if (e.layer instanceof L.Polyline) { + if (e.layer instanceof L.Marker && e.type != "editable:drawing:move") { + content = L._('Click to add a marker'); + } else if (e.layer instanceof L.Polyline) { // when drawing a Polyline or Polygon if (e.layer.editor._drawnLatLngs) { // when drawing first point From f737d81b40824b8906c2423d8dfeb3ce52ce33b7 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 2 May 2023 10:07:53 +0000 Subject: [PATCH 068/143] refactor --- umap/static/umap/js/umap.controls.js | 65 ++++++++++++++++------------ 1 file changed, 37 insertions(+), 28 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 418c99c7..070a72cc 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1249,39 +1249,48 @@ L.U.Editable = L.Editable.extend({ }, drawingTooltip: function (e) { - var content; if (e.layer instanceof L.Marker && e.type != "editable:drawing:move") { - content = L._('Click to add a marker'); - } else if (e.layer instanceof L.Polyline) { - // when drawing a Polyline or Polygon - if (e.layer.editor._drawnLatLngs) { + this.map.ui.tooltip({content: L._('Click to add a marker')}); + } + if (!(e.layer instanceof L.Polyline)) { + // only continue with Polylines and Polygons + return; + } + + var content; + var measure; + if (e.layer.editor._drawnLatLngs) { + // when drawing (a Polyline or Polygon) + if (!e.layer.editor._drawnLatLngs.length) { // when drawing first point - if (!e.layer.editor._drawnLatLngs.length) { - if (e.layer instanceof L.Polygon){ - content = L._('Click to start drawing a polygon'); - } else if (e.layer instanceof L.Polyline) { - content = L._('Click to start drawing a line'); - } - } else { - var tmpLatLngs = e.layer.editor._drawnLatLngs.slice(); - tmpLatLngs.push(e.latlng); - var readableDistance = e.layer.getMeasure(tmpLatLngs); - if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { - // when drawing second point - content = L._('Click to continue drawing'); - } else { - // when drawing third point (or more) - content = L._('Click last point to finish shape'); - } - content += " ("+readableDistance+")"; + if (e.layer instanceof L.Polygon){ + content = L._('Click to start drawing a polygon'); + } else if (e.layer instanceof L.Polyline) { + content = L._('Click to start drawing a line'); } } else { - // when moving an existing point - if (e.layer instanceof L.Polygon){ - content = L._('Polygon area: {measure}', { measure: e.layer.getMeasure() }); - } else if (e.layer instanceof L.Polyline) { - content = L._('Line distance: {measure}', { measure: e.layer.getMeasure() }); + var tmpLatLngs = e.layer.editor._drawnLatLngs.slice(); + tmpLatLngs.push(e.latlng); + measure = e.layer.getMeasure(tmpLatLngs); + + if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { + // when drawing second point + content = L._('Click to continue drawing'); + } else { + // when drawing third point (or more) + content = L._('Click last point to finish shape'); } + content += ", " + } + } else { + // when moving an existing point + measure = e.layer.getMeasure(); + } + if (measure){ + if (e.layer instanceof L.Polygon){ + content = L._('Polygon area: {measure}', { measure: measure }); + } else if (e.layer instanceof L.Polyline) { + content = L._('Line distance: {measure}', { measure: measure }); } } if (content) { From be806435f940b48366acd7d5b4846e9679fd5345 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 2 May 2023 10:29:55 +0000 Subject: [PATCH 069/143] use "line length", remove translations (will be done by transifex) --- umap/static/umap/js/umap.controls.js | 2 +- umap/static/umap/locale/am_ET.js | 1 - umap/static/umap/locale/am_ET.json | 1 - umap/static/umap/locale/ar.js | 1 - umap/static/umap/locale/ar.json | 1 - umap/static/umap/locale/ast.js | 1 - umap/static/umap/locale/ast.json | 1 - umap/static/umap/locale/bg.js | 1 - umap/static/umap/locale/bg.json | 1 - umap/static/umap/locale/ca.js | 1 - umap/static/umap/locale/ca.json | 1 - umap/static/umap/locale/cs_CZ.js | 1 - umap/static/umap/locale/cs_CZ.json | 1 - umap/static/umap/locale/da.js | 1 - umap/static/umap/locale/da.json | 1 - umap/static/umap/locale/de.js | 1 - umap/static/umap/locale/de.json | 1 - umap/static/umap/locale/el.js | 1 - umap/static/umap/locale/el.json | 1 - umap/static/umap/locale/en.js | 1 - umap/static/umap/locale/en.json | 1 - umap/static/umap/locale/en_US.json | 1 - umap/static/umap/locale/es.js | 1 - umap/static/umap/locale/es.json | 1 - umap/static/umap/locale/et.js | 1 - umap/static/umap/locale/et.json | 1 - umap/static/umap/locale/fa_IR.js | 1 - umap/static/umap/locale/fa_IR.json | 1 - umap/static/umap/locale/fi.js | 1 - umap/static/umap/locale/fi.json | 1 - umap/static/umap/locale/fr.js | 1 - umap/static/umap/locale/fr.json | 1 - umap/static/umap/locale/gl.js | 1 - umap/static/umap/locale/gl.json | 1 - umap/static/umap/locale/he.js | 1 - umap/static/umap/locale/he.json | 1 - umap/static/umap/locale/hr.js | 1 - umap/static/umap/locale/hr.json | 1 - umap/static/umap/locale/hu.js | 1 - umap/static/umap/locale/hu.json | 1 - umap/static/umap/locale/id.js | 1 - umap/static/umap/locale/id.json | 1 - umap/static/umap/locale/is.js | 1 - umap/static/umap/locale/is.json | 1 - umap/static/umap/locale/it.js | 1 - umap/static/umap/locale/it.json | 1 - umap/static/umap/locale/ja.js | 1 - umap/static/umap/locale/ja.json | 1 - umap/static/umap/locale/ko.js | 1 - umap/static/umap/locale/ko.json | 1 - umap/static/umap/locale/lt.js | 1 - umap/static/umap/locale/lt.json | 1 - umap/static/umap/locale/ms.js | 1 - umap/static/umap/locale/ms.json | 1 - umap/static/umap/locale/nl.js | 1 - umap/static/umap/locale/nl.json | 1 - umap/static/umap/locale/no.js | 1 - umap/static/umap/locale/no.json | 1 - umap/static/umap/locale/pl.js | 1 - umap/static/umap/locale/pl.json | 1 - umap/static/umap/locale/pl_PL.json | 1 - umap/static/umap/locale/pt.js | 1 - umap/static/umap/locale/pt.json | 1 - umap/static/umap/locale/pt_BR.js | 1 - umap/static/umap/locale/pt_BR.json | 1 - umap/static/umap/locale/pt_PT.js | 1 - umap/static/umap/locale/pt_PT.json | 1 - umap/static/umap/locale/ro.js | 1 - umap/static/umap/locale/ro.json | 1 - umap/static/umap/locale/ru.js | 1 - umap/static/umap/locale/ru.json | 1 - umap/static/umap/locale/si_LK.js | 1 - umap/static/umap/locale/si_LK.json | 1 - umap/static/umap/locale/sk_SK.js | 1 - umap/static/umap/locale/sk_SK.json | 1 - umap/static/umap/locale/sl.js | 1 - umap/static/umap/locale/sl.json | 1 - umap/static/umap/locale/sr.js | 1 - umap/static/umap/locale/sr.json | 1 - umap/static/umap/locale/sv.js | 1 - umap/static/umap/locale/sv.json | 1 - umap/static/umap/locale/th_TH.js | 1 - umap/static/umap/locale/th_TH.json | 1 - umap/static/umap/locale/tr.js | 1 - umap/static/umap/locale/tr.json | 1 - umap/static/umap/locale/uk_UA.js | 1 - umap/static/umap/locale/uk_UA.json | 1 - umap/static/umap/locale/vi.js | 1 - umap/static/umap/locale/vi.json | 1 - umap/static/umap/locale/vi_VN.json | 1 - umap/static/umap/locale/zh.js | 1 - umap/static/umap/locale/zh.json | 1 - umap/static/umap/locale/zh_CN.json | 1 - umap/static/umap/locale/zh_TW.Big5.json | 1 - umap/static/umap/locale/zh_TW.js | 1 - umap/static/umap/locale/zh_TW.json | 1 - 96 files changed, 1 insertion(+), 96 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 070a72cc..af4e096a 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1290,7 +1290,7 @@ L.U.Editable = L.Editable.extend({ if (e.layer instanceof L.Polygon){ content = L._('Polygon area: {measure}', { measure: measure }); } else if (e.layer instanceof L.Polyline) { - content = L._('Line distance: {measure}', { measure: measure }); + content = L._('Line length: {measure}', { measure: measure }); } } if (content) { diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index c8cfcc43..2d20e50f 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 91e54862..ced96ea6 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index feb3cb6b..b05a25c9 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 0b7b248b..01ce9704 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index dd56515c..b13952c9 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index b4ad82a5..69f37456 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index bc45672d..02b70f5f 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index 6dfa80ca..faeb3cab 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 44c8cc98..583c5f49 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 6dd867eb..35d8eae5 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index ae8b4cdb..f7147814 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 43c7e84c..86ad327b 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 7647d051..507d5c86 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index adcef6ca..ee785bc2 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index bac29ccc..3477ee86 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 11458cf3..31e8be8d 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 87e7c045..a18b853b 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index 5961a22b..fa57dd68 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 9a76d60b..38b9dd1b 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 5eee9361..4b2f7e44 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 45348ff3..af6d0397 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -116,7 +116,6 @@ var locale = { "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 figura", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 663c02a5..d7e97942 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -116,7 +116,6 @@ "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 figura", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 91797165..332d06cc 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 29073ec1..45cf818d 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index 66fc077d..717f101c 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 4bfdecde..269f110c 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 4843af5c..04fe4bad 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index fd33b418..de0dc1ed 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 18da8156..68f0e860 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 4697b6d8..4a5e6702 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 8e868651..a5181638 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 1533261a..0c630ccf 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index dd3bd4af..56a15238 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index df2da770..5afaddc0 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index c9f706cb..c481ccce 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index 7595c44a..a130bbd6 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 92a74418..356c0247 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 1c1144bb..7e8b37a5 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 94c69dba..eec46305 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index 69e0f8ff..ed7fa7ec 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 48fcbbe9..fc339772 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index a0a28f1b..35170ec4 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 84b831da..0452ecaa 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 94066211..0fb70bfa 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape": "クリックでシェイプの作成を終了", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 6f43545b..fd0ea8be 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape": "クリックでシェイプの作成を終了", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index 77eb5044..38af2dce 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index c49f3158..04baa538 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 64d9dd88..12dd0e1f 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 72cf86f5..933ab341 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 6f1c89d1..82751646 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 5036ef67..e160e1e8 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 7cfa45b2..6f8b8ae5 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -116,7 +116,6 @@ var locale = { "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": "Klik op het laatste punt om de vorm af te maken", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik om een punt toe te voegen", "Click to continue drawing": "Klik om te blijven tekenen", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index b0c36e95..1670bb1f 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -116,7 +116,6 @@ "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": "Klik op het laatste punt om de vorm af te maken", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik om een punt toe te voegen", "Click to continue drawing": "Klik om te blijven tekenen", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index 67f197e2..cd218110 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 5f645af1..1997ca03 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 6bf1ddf3..37297d4f 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 46b0480c..a0ed4a14 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 96c212be..c759dbdf 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index abcd1beb..c18fe698 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 21750140..d9415239 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index d35d1403..7bf5c2ba 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index fa5f9538..b052f08c 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 68b96249..34a908a0 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 41c3feec..eb7d7eaa 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index b4726bf3..d132de78 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 3cf369a3..aa92cb7a 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index e43efff9..38fad9f2 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index 3737590f..3ac9ec72 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 1cf7b402..00aaa9aa 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index d854e665..16dd200e 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 85ae527e..8435a0be 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index 121e104c..9c6f6745 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index f7c83082..4caa6839 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 841f48ee..46bc14df 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index 4a9d89ff..1a039c8b 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 6f21aaf3..8e180c82 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index 888f956c..e50376a1 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 6e918fae..d942e578 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -116,7 +116,6 @@ var locale = { "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 573c0f98..e4ff442e 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index c857aad5..d0321c07 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index ffe496cc..93c66f35 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index eb30d8f2..415a6157 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index 0e4a24e0..3ec7d8a4 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 6002416b..0bb90b84 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 9da6be86..621bb63a 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape": "Click last point to finish shape", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 3250ea7e..3637d1b2 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -116,7 +116,6 @@ "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", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 6e63290d..b89f56eb 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape": "點下最後一點後完成外形", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 69000eee..af1fafdc 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape": "點下最後一點後完成外形", - "Line distance: {measure}": "Line distance: {measure}", "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", From 9d79f2ba831459e679fe218ba7c3a1cb5cc0c7f7 Mon Sep 17 00:00:00 2001 From: Philip Beelmann Date: Tue, 2 May 2023 10:34:14 +0000 Subject: [PATCH 070/143] remove translation template (will be done by transifex) --- umap/static/umap/locale/am_ET.js | 1 - umap/static/umap/locale/am_ET.json | 1 - umap/static/umap/locale/ar.js | 1 - umap/static/umap/locale/ar.json | 1 - umap/static/umap/locale/ast.js | 1 - umap/static/umap/locale/ast.json | 1 - umap/static/umap/locale/bg.js | 1 - umap/static/umap/locale/bg.json | 1 - umap/static/umap/locale/ca.js | 1 - umap/static/umap/locale/ca.json | 1 - umap/static/umap/locale/cs_CZ.js | 1 - umap/static/umap/locale/cs_CZ.json | 1 - umap/static/umap/locale/da.js | 1 - umap/static/umap/locale/da.json | 1 - umap/static/umap/locale/de.js | 1 - umap/static/umap/locale/de.json | 1 - umap/static/umap/locale/el.js | 1 - umap/static/umap/locale/el.json | 1 - umap/static/umap/locale/en.js | 1 - umap/static/umap/locale/en.json | 1 - umap/static/umap/locale/en_US.json | 1 - umap/static/umap/locale/es.js | 1 - umap/static/umap/locale/es.json | 1 - umap/static/umap/locale/et.js | 1 - umap/static/umap/locale/et.json | 1 - umap/static/umap/locale/fa_IR.js | 1 - umap/static/umap/locale/fa_IR.json | 1 - umap/static/umap/locale/fi.js | 1 - umap/static/umap/locale/fi.json | 1 - umap/static/umap/locale/fr.js | 1 - umap/static/umap/locale/fr.json | 1 - umap/static/umap/locale/gl.js | 1 - umap/static/umap/locale/gl.json | 1 - umap/static/umap/locale/he.js | 1 - umap/static/umap/locale/he.json | 1 - umap/static/umap/locale/hr.js | 1 - umap/static/umap/locale/hr.json | 1 - umap/static/umap/locale/hu.js | 1 - umap/static/umap/locale/hu.json | 1 - umap/static/umap/locale/id.js | 1 - umap/static/umap/locale/id.json | 1 - umap/static/umap/locale/is.js | 1 - umap/static/umap/locale/is.json | 1 - umap/static/umap/locale/it.js | 1 - umap/static/umap/locale/it.json | 1 - umap/static/umap/locale/ja.js | 1 - umap/static/umap/locale/ja.json | 1 - umap/static/umap/locale/ko.js | 1 - umap/static/umap/locale/ko.json | 1 - umap/static/umap/locale/lt.js | 1 - umap/static/umap/locale/lt.json | 1 - umap/static/umap/locale/ms.js | 1 - umap/static/umap/locale/ms.json | 1 - umap/static/umap/locale/nl.js | 1 - umap/static/umap/locale/nl.json | 1 - umap/static/umap/locale/no.js | 1 - umap/static/umap/locale/no.json | 1 - umap/static/umap/locale/pl.js | 1 - umap/static/umap/locale/pl.json | 1 - umap/static/umap/locale/pl_PL.json | 1 - umap/static/umap/locale/pt.js | 1 - umap/static/umap/locale/pt.json | 1 - umap/static/umap/locale/pt_BR.js | 1 - umap/static/umap/locale/pt_BR.json | 1 - umap/static/umap/locale/pt_PT.js | 1 - umap/static/umap/locale/pt_PT.json | 1 - umap/static/umap/locale/ro.js | 1 - umap/static/umap/locale/ro.json | 1 - umap/static/umap/locale/ru.js | 1 - umap/static/umap/locale/ru.json | 1 - umap/static/umap/locale/si_LK.js | 1 - umap/static/umap/locale/si_LK.json | 1 - umap/static/umap/locale/sk_SK.js | 1 - umap/static/umap/locale/sk_SK.json | 1 - umap/static/umap/locale/sl.js | 1 - umap/static/umap/locale/sl.json | 1 - umap/static/umap/locale/sr.js | 1 - umap/static/umap/locale/sr.json | 1 - umap/static/umap/locale/sv.js | 1 - umap/static/umap/locale/sv.json | 1 - umap/static/umap/locale/th_TH.js | 1 - umap/static/umap/locale/th_TH.json | 1 - umap/static/umap/locale/tr.js | 1 - umap/static/umap/locale/tr.json | 1 - umap/static/umap/locale/uk_UA.js | 1 - umap/static/umap/locale/uk_UA.json | 1 - umap/static/umap/locale/vi.js | 1 - umap/static/umap/locale/vi.json | 1 - umap/static/umap/locale/vi_VN.json | 1 - umap/static/umap/locale/zh.js | 1 - umap/static/umap/locale/zh.json | 1 - umap/static/umap/locale/zh_CN.json | 1 - umap/static/umap/locale/zh_TW.Big5.json | 1 - umap/static/umap/locale/zh_TW.js | 1 - umap/static/umap/locale/zh_TW.json | 1 - 95 files changed, 95 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 2d20e50f..6d056164 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index ced96ea6..e9824927 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Click last point to finish shape": "ቅርፁን ለማስጨረስ የመጨረሻውን ነጥብ ጠቅ ያድርጉ", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "መለያ ለመጨመር ጠቅ አድርግ", "Click to continue drawing": "መሳል ለመቀጠል ጠቅ አድርግ", "Click to edit": "ለማረም ጠቅ አድርግ", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index b05a25c9..9e850e8b 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 01ce9704..2bb2c519 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index b13952c9..b0ee5030 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index 69f37456..09fe58c4 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 02b70f5f..87cc4500 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer to import in": "Избери слой за внасяне в", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index faeb3cab..a82c8bdb 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 583c5f49..1b3b00ed 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer to import in": "Trieu la capa que on voleu importar", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Feu clic per a afegir una marca", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 35d8eae5..2261adee 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index f7147814..3fe77f9e 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím přidáš značku", "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", "Click to edit": "Klikněte pro úpravy", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 86ad327b..7b6ffe6e 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 507d5c86..5def18a4 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer to import in": "Vælg lag der skal importeres", "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik for at tilføje en markør", "Click to continue drawing": "Klik for at fortsætte indtegning", "Click to edit": "Klik for at redigere", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index ee785bc2..e161e354 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 3477ee86..578261ca 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", "Click to continue drawing": "Klicke, um weiter zu zeichnen", "Click to edit": "Zum Bearbeiten klicken", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 31e8be8d..7901726d 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index a18b853b..2e0fca8d 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index fa57dd68..df26261b 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 38b9dd1b..5dc6ce82 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 4b2f7e44..d749d865 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Data format:", "Choose the layer to import in": "Import into layer:", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index af6d0397..9b2cac56 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -116,7 +116,6 @@ var locale = { "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 figura", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index d7e97942..8112f10c 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -116,7 +116,6 @@ "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 figura", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Haga clic para añadir un marcador", "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 332d06cc..b8189f3a 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 45cf818d..12410d77 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", "Click to edit": "Klõpsa muutmiseks", diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index 717f101c..7238440a 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 269f110c..3c65cef8 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Click last point to finish shape": "برای پایان دادن به شکل روی آخرین نقطه کلیک کنید", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "برای افزودن نشانگر کلیک کنید", "Click to continue drawing": "برای ادامه ترسیم کلیک کنید", "Click to edit": "برای ویرایش کلیک کنید", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 04fe4bad..1d29a8a7 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index de0dc1ed..f77d7e69 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", "Click to edit": "Klikkaa muokataksesi", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 68f0e860..d86aabd2 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 4a5e6702..c089c57c 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer to import in": "Choisir le calque de données pour l'import", "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Cliquer pour ajouter le marqueur", "Click to continue drawing": "Cliquer pour continuer le tracé", "Click to edit": "Cliquer pour modifier", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index a5181638..b3ce447d 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 0c630ccf..73053718 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer to import in": "Escoller a capa á que se importa", "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Preme para engadir unha marcaxe", "Click to continue drawing": "Preme para seguir debuxando", "Click to edit": "Preme para editar", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 56a15238..36d68080 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 5afaddc0..6567facb 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Click last point to finish shape": "יש ללחוץ על הנקודה האחרונה כדי לסיים את הצורה", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "יש ללחוץ כדי להוסיף סמן", "Click to continue drawing": "יש ללחוץ כדי להמשיך בציור", "Click to edit": "יש ללחוץ כדי לערוך", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index c481ccce..05d44571 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index a130bbd6..ac78916e 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer to import in": "Odaberi sloj za uvoz", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 356c0247..947f3322 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 7e8b37a5..488c7b99 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer to import in": "Importálandó réteg kiválasztása", "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Jelölő hozzáadásához kattintson", "Click to continue drawing": "Kattintson a rajzolás folytatásához", "Click to edit": "Kattintson a szerkesztéshez", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index eec46305..9e0af37c 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index ed7fa7ec..e9b6d16a 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index fc339772..df0a4e23 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Smella til að bæta við kortamerki", "Click to continue drawing": "Smelltu til að halda áfram að teikna", "Click to edit": "Smelltu til að breyta", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 35170ec4..9634b175 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 0452ecaa..93f1e43a 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clicca per aggiungere un marcatore", "Click to continue drawing": "Clic per continuare a disegnare", "Click to edit": "Clic per la modifica", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 0fb70bfa..ac8a6ae9 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape": "クリックでシェイプの作成を終了", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index fd0ea8be..fedb8793 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer to import in": "インポート対象レイヤ選択", "Click last point to finish shape": "クリックでシェイプの作成を終了", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "クリックでマーカー追加", "Click to continue drawing": "クリックで描画を継続", "Click to edit": "クリックで編集", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index 38af2dce..176d1e7e 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 04baa538..f9045c15 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer to import in": "삽입할 레이어 선택", "Click last point to finish shape": "도형을 그만 그리려면 마지막 점을 클릭", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "마커를 추가하려면 클릭", "Click to continue drawing": "계속 그리려면 클릭", "Click to edit": "편집하려면 클릭", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 12dd0e1f..01d7e38f 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 933ab341..b668b5f5 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Paspauskite kad pridėti žymeklį", "Click to continue drawing": "Paspauskite kad tęsti piešimą", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 82751646..d2a7864c 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index e160e1e8..69316ee2 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klik untuk tambahkan penanda", "Click to continue drawing": "Klik untuk terus melukis", "Click to edit": "Klik untuk menyunting", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 6f8b8ae5..09da6300 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -116,7 +116,6 @@ var locale = { "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": "Klik op het laatste punt om de vorm af te maken", - "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 1670bb1f..7e785289 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -116,7 +116,6 @@ "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": "Klik op het laatste punt om de vorm af te maken", - "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index cd218110..ac5acadc 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 1997ca03..57509834 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Klikk for å legge til en markør", "Click to continue drawing": "Klikk for å fortsette å tegne", "Click to edit": "Klikk for å redigere", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 37297d4f..4aee9c5e 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index a0ed4a14..39676835 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer to import in": "Wybierz warstwę docelową", "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknij, aby dodać znacznik", "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", "Click to edit": "Kliknij, aby edytować", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index c759dbdf..63b202d0 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index c18fe698..bb781522 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index d9415239..8ae0b9f8 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 7bf5c2ba..92883fa1 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index b052f08c..f162dae3 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 34a908a0..777e2fc5 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer to import in": "Escolha a camada para destino da importação", "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Clique para adicionar um marcador", "Click to continue drawing": "Clique para continuar a desenhar", "Click to edit": "Clique para editar", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index eb7d7eaa..5d46780a 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index d132de78..45aec9cd 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index aa92cb7a..5e6c4780 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 38fad9f2..42419d98 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer to import in": "Выбрать слой для импорта в него", "Click last point to finish shape": "Щёлкните на последней точке, чтобы завершить", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Щёлкните, чтобы добавить метку", "Click to continue drawing": "Щёлкайте, чтобы продолжить рисование", "Click to edit": "Щёлкните, чтобы изменить", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index 3ac9ec72..f836cf05 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 00aaa9aa..06dac3ef 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 16dd200e..3fd4c543 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknutím pridáte značku", "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", "Click to edit": "Kliknutím upravte", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 8435a0be..fb50b3de 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index 9c6f6745..cc096b1a 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Kliknite za dodajanje označbe", "Click to continue drawing": "Kliknite za nadaljevanje risanja", "Click to edit": "Kliknite za urejanje", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 4caa6839..0ec4ca29 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 46bc14df..dc1a2e2a 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer to import in": "Одабери лејер за увоз", "Click last point to finish shape": "Кликните на последњу тачку да бисте довршили облик", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клик за додавање ознаке", "Click to continue drawing": "Клик да наставите са цртањем", "Click to edit": "Клик за уређивање", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index 1a039c8b..3d1b3ccd 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 8e180c82..31bd75e4 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "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": "Klicka för att redigera", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index e50376a1..c6e5a72a 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index d942e578..07ac3816 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -116,7 +116,6 @@ var locale = { "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", - "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index e4ff442e..ebfd7eed 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "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", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index d0321c07..236bc1b2 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 93c66f35..7d75fe0d 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Click last point to finish shape": "Клацніть на останній точці, щоб завершити", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Клацніть, щоб додати позначку", "Click to continue drawing": "Клацайте, щоб продовжити креслення", "Click to edit": "Натисніть для редагування", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index 415a6157..a3e7eeec 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index 3ec7d8a4..85d03250 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer to import in": "Chọn lớp cần nhập vào", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 0bb90b84..06ac92ab 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index 621bb63a..addcdada 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer to import in": "选择导入的图层", "Click last point to finish shape": "Click last point to finish shape", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 3637d1b2..d0c032b0 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -116,7 +116,6 @@ "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", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "Click to add a marker", "Click to continue drawing": "Click to continue drawing", "Click to edit": "Click to edit", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index b89f56eb..62ac1eaf 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -116,7 +116,6 @@ var locale = { "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape": "點下最後一點後完成外形", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index af1fafdc..9ce03d2e 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -116,7 +116,6 @@ "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer to import in": "選擇匯入圖層", "Click last point to finish shape": "點下最後一點後完成外形", - "Polygon area: {measure}": "Polygon area: {measure}", "Click to add a marker": "點選以新增標記", "Click to continue drawing": "點擊以繼續繪製", "Click to edit": "點擊開始編輯", From c03efec5626d4bbeb8ccb76d87dc08ad18f66b27 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 2 May 2023 17:09:37 +0200 Subject: [PATCH 071/143] i18n --- umap/locale/el/LC_MESSAGES/django.po | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/umap/locale/el/LC_MESSAGES/django.po b/umap/locale/el/LC_MESSAGES/django.po index c3b1a673..6e3bf250 100644 --- a/umap/locale/el/LC_MESSAGES/django.po +++ b/umap/locale/el/LC_MESSAGES/django.po @@ -8,15 +8,15 @@ # Emmanuel Verigos , 2017 # Jim Kats , 2022 # prendi , 2017 -# Yannis Kaskamanidis , 2021 +# Yannis Kaskamanidis , 2021,2023 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2023-02-27 12:54+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: Jim Kats , 2022\n" -"Language-Team: Greek (http://www.transifex.com/openstreetmap/umap/language/el/)\n" +"Last-Translator: Yannis Kaskamanidis , 2021,2023\n" +"Language-Team: Greek (http://app.transifex.com/openstreetmap/umap/language/el/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -295,7 +295,7 @@ msgstr "Σχετικά" #: umap/templates/umap/navigation.html:15 msgid "Help" -msgstr "" +msgstr "Βοήθεια" #: umap/templates/umap/navigation.html:18 msgid "Change password" From 71ac1f48db5f2a61d9f9d0985ea789ad5039afa0 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 2 May 2023 17:47:31 +0200 Subject: [PATCH 072/143] Bump Leaflet.Measurable --- package-lock.json | 14 +++++++------- package.json | 2 +- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/package-lock.json b/package-lock.json index b2e55954..ec4d9f5f 100644 --- a/package-lock.json +++ b/package-lock.json @@ -20,7 +20,7 @@ "leaflet-hash": "0.2.1", "leaflet-i18n": "0.3.1", "leaflet-loading": "0.1.24", - "leaflet-measurable": "0.0.5", + "leaflet-measurable": "0.1.0", "leaflet-minimap": "^3.6.1", "leaflet-toolbar": "umap-project/Leaflet.toolbar", "leaflet.heat": "0.2.0", @@ -1240,9 +1240,9 @@ "integrity": "sha1-6v38GIcY6xPTz3uSJsTAaxbpKRk=" }, "node_modules/leaflet-measurable": { - "version": "0.0.5", - "resolved": "https://registry.npmjs.org/leaflet-measurable/-/leaflet-measurable-0.0.5.tgz", - "integrity": "sha1-A6dXfcxqVYWEo1lldjX47WnnJX8=" + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/leaflet-measurable/-/leaflet-measurable-0.1.0.tgz", + "integrity": "sha512-XvErReRoJZUQppCrXXY+8OP523+rrG8Zs7AJGGXDrRM+1Zo7XlN0RRokpRbqhsD4ZBnt1A5x3LsNsKh+/jndXQ==" }, "node_modules/leaflet-minimap": { "version": "3.6.1", @@ -3557,9 +3557,9 @@ "integrity": "sha1-6v38GIcY6xPTz3uSJsTAaxbpKRk=" }, "leaflet-measurable": { - "version": "0.0.5", - "resolved": "https://registry.npmjs.org/leaflet-measurable/-/leaflet-measurable-0.0.5.tgz", - "integrity": "sha1-A6dXfcxqVYWEo1lldjX47WnnJX8=" + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/leaflet-measurable/-/leaflet-measurable-0.1.0.tgz", + "integrity": "sha512-XvErReRoJZUQppCrXXY+8OP523+rrG8Zs7AJGGXDrRM+1Zo7XlN0RRokpRbqhsD4ZBnt1A5x3LsNsKh+/jndXQ==" }, "leaflet-minimap": { "version": "3.6.1", diff --git a/package.json b/package.json index e732025c..89cf23cd 100644 --- a/package.json +++ b/package.json @@ -44,7 +44,7 @@ "leaflet-hash": "0.2.1", "leaflet-i18n": "0.3.1", "leaflet-loading": "0.1.24", - "leaflet-measurable": "0.0.5", + "leaflet-measurable": "0.1.0", "leaflet-minimap": "^3.6.1", "leaflet-toolbar": "umap-project/Leaflet.toolbar", "leaflet.heat": "0.2.0", From 515aee9324a851cb1095044b9c19baf5d87fea66 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 2 May 2023 17:52:25 +0200 Subject: [PATCH 073/143] Enhance measure messages --- umap/static/umap/js/umap.controls.js | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index af4e096a..5273b88c 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1280,7 +1280,6 @@ L.U.Editable = L.Editable.extend({ // when drawing third point (or more) content = L._('Click last point to finish shape'); } - content += ", " } } else { // when moving an existing point @@ -1288,9 +1287,9 @@ L.U.Editable = L.Editable.extend({ } if (measure){ if (e.layer instanceof L.Polygon){ - content = L._('Polygon area: {measure}', { measure: measure }); + content += L._(' (area: {measure})', { measure: measure }); } else if (e.layer instanceof L.Polyline) { - content = L._('Line length: {measure}', { measure: measure }); + content += L._(' (length: {measure})', { measure: measure }); } } if (content) { From 03897e9b0c20c4cfc3327f502e958501f6768da0 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 2 May 2023 18:13:26 +0200 Subject: [PATCH 074/143] Upgrade Uglify-JS --- package-lock.json | 80 +++++------------------------------------------ package.json | 2 +- 2 files changed, 9 insertions(+), 73 deletions(-) diff --git a/package-lock.json b/package-lock.json index ec4d9f5f..31a046ea 100644 --- a/package-lock.json +++ b/package-lock.json @@ -41,7 +41,7 @@ "optimist": "~0.4.0", "phantomjs": "^1.9.18", "sinon": "^1.10.3", - "uglify-js": "~2.2.3" + "uglify-js": "~3.17.4" } }, "node_modules/@mapbox/sexagesimal": { @@ -75,15 +75,6 @@ "node": ">=0.3.0" } }, - "node_modules/amdefine": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/amdefine/-/amdefine-1.0.1.tgz", - "integrity": "sha1-SlKCrBZHKek2Gbz9OtFR+BfOkfU=", - "dev": true, - "engines": { - "node": ">=0.4.2" - } - }, "node_modules/ansi-regex": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-2.1.1.tgz", @@ -2409,38 +2400,13 @@ "integrity": "sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c=" }, "node_modules/uglify-js": { - "version": "2.2.5", - "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-2.2.5.tgz", - "integrity": "sha1-puAqcNg5eSuXgEiLe4sYTAlcmcc=", + "version": "3.17.4", + "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-3.17.4.tgz", + "integrity": "sha512-T9q82TJI9e/C1TAxYvfb16xO120tMVFZrGA3f9/P4424DNu6ypK103y0GPFVa17yotwSyZW5iYXgjYHkGrJW/g==", "dev": true, - "dependencies": { - "optimist": "~0.3.5", - "source-map": "~0.1.7" - }, "bin": { "uglifyjs": "bin/uglifyjs" }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/uglify-js/node_modules/optimist": { - "version": "0.3.7", - "resolved": "https://registry.npmjs.org/optimist/-/optimist-0.3.7.tgz", - "integrity": "sha1-yQlBrVnkJzMokjB00s8ufLxuwNk=", - "dev": true, - "dependencies": { - "wordwrap": "~0.0.2" - } - }, - "node_modules/uglify-js/node_modules/source-map": { - "version": "0.1.43", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.1.43.tgz", - "integrity": "sha1-wkvBRspRfBRx9drL4lcbK3+eM0Y=", - "dev": true, - "dependencies": { - "amdefine": ">=0.0.4" - }, "engines": { "node": ">=0.8.0" } @@ -2575,12 +2541,6 @@ "integrity": "sha512-J2LiZpRxcLsJm2IwoekNa6COwzEZnMwCJ3vxz0UCw2NYUH2WFi7svuDrVccq5KpBGmzGUgFa0L0FwEmKmu/rzQ==", "dev": true }, - "amdefine": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/amdefine/-/amdefine-1.0.1.tgz", - "integrity": "sha1-SlKCrBZHKek2Gbz9OtFR+BfOkfU=", - "dev": true - }, "ansi-regex": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-2.1.1.tgz", @@ -4517,34 +4477,10 @@ "integrity": "sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c=" }, "uglify-js": { - "version": "2.2.5", - "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-2.2.5.tgz", - "integrity": "sha1-puAqcNg5eSuXgEiLe4sYTAlcmcc=", - "dev": true, - "requires": { - "optimist": "~0.3.5", - "source-map": "~0.1.7" - }, - "dependencies": { - "optimist": { - "version": "0.3.7", - "resolved": "https://registry.npmjs.org/optimist/-/optimist-0.3.7.tgz", - "integrity": "sha1-yQlBrVnkJzMokjB00s8ufLxuwNk=", - "dev": true, - "requires": { - "wordwrap": "~0.0.2" - } - }, - "source-map": { - "version": "0.1.43", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.1.43.tgz", - "integrity": "sha1-wkvBRspRfBRx9drL4lcbK3+eM0Y=", - "dev": true, - "requires": { - "amdefine": ">=0.0.4" - } - } - } + "version": "3.17.4", + "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-3.17.4.tgz", + "integrity": "sha512-T9q82TJI9e/C1TAxYvfb16xO120tMVFZrGA3f9/P4424DNu6ypK103y0GPFVa17yotwSyZW5iYXgjYHkGrJW/g==", + "dev": true }, "util": { "version": "0.10.3", diff --git a/package.json b/package.json index 89cf23cd..46fc25cb 100644 --- a/package.json +++ b/package.json @@ -13,7 +13,7 @@ "optimist": "~0.4.0", "phantomjs": "^1.9.18", "sinon": "^1.10.3", - "uglify-js": "~2.2.3" + "uglify-js": "~3.17.4" }, "scripts": { "test": "firefox test/index.html", From 4251a65816b9803b47c6b64244732ebd3c16eb2b Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Tue, 2 May 2023 18:56:17 +0200 Subject: [PATCH 075/143] i18n --- umap/locale/el/LC_MESSAGES/django.mo | Bin 10049 -> 10115 bytes umap/locale/fr/LC_MESSAGES/django.mo | Bin 7414 -> 7399 bytes umap/locale/fr/LC_MESSAGES/django.po | 29 +- umap/static/umap/locale/am_ET.js | 327 +++++++++++------------ umap/static/umap/locale/am_ET.json | 327 +++++++++++------------ umap/static/umap/locale/ar.js | 327 +++++++++++------------ umap/static/umap/locale/ar.json | 327 +++++++++++------------ umap/static/umap/locale/ast.js | 327 +++++++++++------------ umap/static/umap/locale/ast.json | 327 +++++++++++------------ umap/static/umap/locale/bg.js | 327 +++++++++++------------ umap/static/umap/locale/bg.json | 327 +++++++++++------------ umap/static/umap/locale/ca.js | 327 +++++++++++------------ umap/static/umap/locale/ca.json | 327 +++++++++++------------ umap/static/umap/locale/cs_CZ.js | 327 +++++++++++------------ umap/static/umap/locale/cs_CZ.json | 327 +++++++++++------------ umap/static/umap/locale/da.js | 327 +++++++++++------------ umap/static/umap/locale/da.json | 327 +++++++++++------------ umap/static/umap/locale/de.js | 329 +++++++++++------------ umap/static/umap/locale/de.json | 329 +++++++++++------------ umap/static/umap/locale/el.js | 327 +++++++++++------------ umap/static/umap/locale/el.json | 327 +++++++++++------------ umap/static/umap/locale/en.js | 24 +- umap/static/umap/locale/en.json | 24 +- umap/static/umap/locale/en_US.json | 329 +++++++++++------------ umap/static/umap/locale/es.js | 327 +++++++++++------------ umap/static/umap/locale/es.json | 327 +++++++++++------------ umap/static/umap/locale/et.js | 327 +++++++++++------------ umap/static/umap/locale/et.json | 327 +++++++++++------------ umap/static/umap/locale/fa_IR.js | 327 +++++++++++------------ umap/static/umap/locale/fa_IR.json | 327 +++++++++++------------ umap/static/umap/locale/fi.js | 327 +++++++++++------------ umap/static/umap/locale/fi.json | 327 +++++++++++------------ umap/static/umap/locale/fr.js | 327 +++++++++++------------ umap/static/umap/locale/fr.json | 327 +++++++++++------------ umap/static/umap/locale/gl.js | 327 +++++++++++------------ umap/static/umap/locale/gl.json | 327 +++++++++++------------ umap/static/umap/locale/he.js | 327 +++++++++++------------ umap/static/umap/locale/he.json | 327 +++++++++++------------ umap/static/umap/locale/hr.js | 327 +++++++++++------------ umap/static/umap/locale/hr.json | 327 +++++++++++------------ umap/static/umap/locale/hu.js | 327 +++++++++++------------ umap/static/umap/locale/hu.json | 327 +++++++++++------------ umap/static/umap/locale/id.js | 327 +++++++++++------------ umap/static/umap/locale/id.json | 327 +++++++++++------------ umap/static/umap/locale/is.js | 327 +++++++++++------------ umap/static/umap/locale/is.json | 327 +++++++++++------------ umap/static/umap/locale/it.js | 327 +++++++++++------------ umap/static/umap/locale/it.json | 327 +++++++++++------------ umap/static/umap/locale/ja.js | 327 +++++++++++------------ umap/static/umap/locale/ja.json | 327 +++++++++++------------ umap/static/umap/locale/ko.js | 329 +++++++++++------------ umap/static/umap/locale/ko.json | 329 +++++++++++------------ umap/static/umap/locale/lt.js | 327 +++++++++++------------ umap/static/umap/locale/lt.json | 327 +++++++++++------------ umap/static/umap/locale/ms.js | 327 +++++++++++------------ umap/static/umap/locale/ms.json | 327 +++++++++++------------ umap/static/umap/locale/nl.js | 327 +++++++++++------------ umap/static/umap/locale/nl.json | 327 +++++++++++------------ umap/static/umap/locale/no.js | 327 +++++++++++------------ umap/static/umap/locale/no.json | 327 +++++++++++------------ umap/static/umap/locale/pl.js | 327 +++++++++++------------ umap/static/umap/locale/pl.json | 327 +++++++++++------------ umap/static/umap/locale/pl_PL.json | 327 +++++++++++------------ umap/static/umap/locale/pt.js | 327 +++++++++++------------ umap/static/umap/locale/pt.json | 327 +++++++++++------------ umap/static/umap/locale/pt_BR.js | 327 +++++++++++------------ umap/static/umap/locale/pt_BR.json | 327 +++++++++++------------ umap/static/umap/locale/pt_PT.js | 327 +++++++++++------------ umap/static/umap/locale/pt_PT.json | 327 +++++++++++------------ umap/static/umap/locale/ro.js | 327 +++++++++++------------ umap/static/umap/locale/ro.json | 327 +++++++++++------------ umap/static/umap/locale/ru.js | 327 +++++++++++------------ umap/static/umap/locale/ru.json | 327 +++++++++++------------ umap/static/umap/locale/si_LK.js | 327 +++++++++++------------ umap/static/umap/locale/si_LK.json | 327 +++++++++++------------ umap/static/umap/locale/sk_SK.js | 327 +++++++++++------------ umap/static/umap/locale/sk_SK.json | 327 +++++++++++------------ umap/static/umap/locale/sl.js | 327 +++++++++++------------ umap/static/umap/locale/sl.json | 327 +++++++++++------------ umap/static/umap/locale/sr.js | 327 +++++++++++------------ umap/static/umap/locale/sr.json | 327 +++++++++++------------ umap/static/umap/locale/sv.js | 327 +++++++++++------------ umap/static/umap/locale/sv.json | 327 +++++++++++------------ umap/static/umap/locale/th_TH.js | 327 +++++++++++------------ umap/static/umap/locale/th_TH.json | 327 +++++++++++------------ umap/static/umap/locale/tr.js | 335 ++++++++++++------------ umap/static/umap/locale/tr.json | 335 ++++++++++++------------ umap/static/umap/locale/uk_UA.js | 327 +++++++++++------------ umap/static/umap/locale/uk_UA.json | 327 +++++++++++------------ umap/static/umap/locale/vi.js | 327 +++++++++++------------ umap/static/umap/locale/vi.json | 327 +++++++++++------------ umap/static/umap/locale/vi_VN.json | 327 +++++++++++------------ umap/static/umap/locale/zh.js | 327 +++++++++++------------ umap/static/umap/locale/zh.json | 327 +++++++++++------------ umap/static/umap/locale/zh_CN.json | 327 +++++++++++------------ umap/static/umap/locale/zh_TW.Big5.json | 327 +++++++++++------------ umap/static/umap/locale/zh_TW.js | 327 +++++++++++------------ umap/static/umap/locale/zh_TW.json | 327 +++++++++++------------ 98 files changed, 15491 insertions(+), 15023 deletions(-) diff --git a/umap/locale/el/LC_MESSAGES/django.mo b/umap/locale/el/LC_MESSAGES/django.mo index b7f8c0aba8a35491ce9b297d76adebc522f7fd52..e6c4c9858c4d376c81395c9b52cf6df1d486aba6 100644 GIT binary patch delta 1923 zcmYk+TWnNC9LMoL?Y5;rw+q#Z70PbGQcBsD-W2HtM3Aw`9Vm>}a zy+3WLSs2UkC2T?dlIHMRPQzYYjKeqsC-4w^nV6Yt_AO&G^c9K$j!ARY;9Kuzcrs{dbcBR)g*6XOc#`LQGg`m|BMVH|s? zyZ8$>5=ag37#Ct2Cr^j3pC9_NL#SB)gylGfEAbxcFqRWXtu%&f@E~r+-_gP3T<*?0 zDxg+$10z_*$3QQ(qFxxl*YO&@hSRx2K|-(!*HiD{^6T(^kJ_OWs{J}@r4br;U=`Nk zAU>Kx{4e_tE-@;LwmBTtFxH|5?8JZZFlxZVENdzCkp*VU@G8#6T)s*=OC_i?vj{bz zderk4ti+wT7>B&)NweQ5uxR@e38OtguBv60POc<~sz*_wT88R4hU&<{zwr=ir5_L{ z=IMP+!AsiNOut-@I*e<`Z!^Ak(l?-z4hIYJws-|LkQ>RGAR)6i$sBI)3-%VKlLl@k zw~}>`my@+xE{H86XOXoFF|ty}B$i~--s=3icZjsD)qX<;vh)8Z9lDj|Y_j58OI9Mx z-ZwyHg;Al?0gRB9beptWY_4~sn(z&doz+kXlXWQ4i7&GEVbPV+sgI@~;5>50b9EJ0 z`*npyXJf5jPg6yK3*lWswdIqSkY{LL74uc(bW)7-$br;@?2?SY+Ff0VR4}(Qr)G=O z(-ZFxw>ka$oNlKl{yvq4eevEdrz_sSVt2O_?~1Lqu2xIyc8a>RU23UYt6HV#mbz3zh$x9DUDasSt=WW#M2K6w zc@c>a;=w*NAs)PtiYJK|1WA*+rg3Wo4}5>K8!_pe&z#wwIWzPB&pF=kV0G+OR@x<_ ztfP*l-byu#VnsR^%ICpm-3ygOj*Fh#KcIPQ*Kyjn8l@ zzDMS4BZek+CLi;8zZKEYmMufAbR(X`Hk^PzQ7g)07BtPnTr5FNum(Mhpq_8R4|oDK zk$uAwFTRL$*=6+b2F5yQJf?8~t5{Y(cB6LUDe48iNLtuO)I|DG6B$VUo$BVzdplMLSUsw&FoNiu%6+Y)diwg^RgwVN~W| zx3CrOVFZiWPA#Yt8?YbCu#$Mpz;@L0SF_pwl{9+kP!@;CAjPa1HBcAUV-G46xdeDU z&czLQ3a8;4+=qVRqJa9gFY?R^v5P623#NFq1geVmWTaW7vc*un`w=w6u`e1sVl3`cMyM@Db1h z^Kd?%!+F?)!`b>2&d@6EgB*4x?N-#zw4wUXqgMJFw_!h)VFUm4jpt9G`Va9^)*7?t zG(0-KqF$Iy%KpK6)C=ob)-3KfPc~bCXK*w=LM71~RIa>5P3U{_cOPG=ncRC=jB8N8 zA4S$`XE8_T|0WHNraeF=XHSy%pHQ*-fqF1=N@Ac1*vEYYwbC$gVxBIKl>G{uio&G{ zXi+M264+{7NM-ew#`|5-j5OH)WqImhDxOQI>s(LbWRO3uRC5hb*HBlu9=_>VNv)u2 zM^&`-91eFHh^P&smQr;phRU}RyHdh6ovOH#hb|$(9a&F}{|cV~ zR}`|vR2^gG4|(VkJQZhCT`7!b`NpNj=lC0ag>}tQFVfV$->cZ&91ZQERkf?NJ=)aV iGGj+;w6eqtmxjX^?*+#X>g?={zYIQ2kKfOI82k%i-lePn diff --git a/umap/locale/fr/LC_MESSAGES/django.mo b/umap/locale/fr/LC_MESSAGES/django.mo index be9ed9b1bc607110fb05ad89e61f5379543c84f5..693f6ab4711834a6be87d460fab382afce0183f5 100644 GIT binary patch delta 699 zcmXZZ%_~Gv7{~F)`!F-j_0EtPuVEyNyrhvx8h-#gB_cIt7L;smk|?D_DJ!wGQIrK) zu&|M&*pM_+WHB}hCFT3Lx2F3!&pGFw^UUvlcD{BV93`6vNg_T&q(Ve)vPClS1AFin zo3J}aWB{kJ7LTzIpKZTU-#2nCgIG>IgbtiTKQ3Sk?jl#pU9On_8(-`Vjy#bP7V5AF z`!N+qkX~dA>v0wXxP#j86}s@=uH&c;Bybo#`687#i9TFKdY1is)4Je{i7X~Akay%7 zt1ylQ=-@$*;=>LMqOM0!6Iw?-_#C@1hT2dWF=izZMn zp2rki#B^LnC$8D++elBchx|!7LHz``$WI>a`ESgi_LN$U6r!G6jk>?i(knp*8dV6l ha1iyI#}313Q_l3(hL)!0wv9`}mogfS9=;iF*B=?LO2hyF delta 714 zcmXZZ&nv@m7{Kwz#>Q-!A2UWaKa#M;D4Sihi&h*+$sge0;6m)6d=CgWQC3PRCnrA- za&b@&Y{Pxjf*;U{ujV|1T0j;@vCbpXh_mR&Eu?li^BB1VH!L_}8o_2OHMVH&ldAZ^l4^)du-7)x*(_56ZCkRaGKH$G8Y z_KTX(MjHa?Lv2|MLpXrisX1)R6G>q+^NZ?Sr{2-UJc~W(@QJKo9GCDKwIjw5w`ign z)WoZ3#dWmdCKltixxa_hCP&Ce$`$G_ct#%iFxTz1B6j9=sD(76-rJ3OK9bWXaRP1C r0H$yZ^`EDY69p5+o~~fHqqDo6A)--~DBQJi>h@cc$>j09+vWTNRpCsX diff --git a/umap/locale/fr/LC_MESSAGES/django.po b/umap/locale/fr/LC_MESSAGES/django.po index 46cb15b0..0614628f 100644 --- a/umap/locale/fr/LC_MESSAGES/django.po +++ b/umap/locale/fr/LC_MESSAGES/django.po @@ -3,6 +3,7 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Antonin Del Fabbro, 2023 # bagage , 2021 # Buggi, 2013 # Buggi, 2013 @@ -10,6 +11,8 @@ # Philippe Verdy, 2017 # severin.menard , 2014 # severin.menard , 2014 +# severin.menard , 2014 +# spf, 2019 # spf, 2019 # Philippe Verdy, 2017 # yohanboniface , 2013-2014,2018-2019,2023 @@ -19,10 +22,10 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2023-02-27 12:54+0000\n" +"POT-Creation-Date: 2023-04-21 20:50+0000\n" "PO-Revision-Date: 2013-11-22 14:00+0000\n" -"Last-Translator: yohanboniface , 2013-2014,2018-2019,2023\n" -"Language-Team: French (http://www.transifex.com/openstreetmap/umap/language/fr/)\n" +"Last-Translator: yohanboniface , 2014,2016\n" +"Language-Team: French (http://app.transifex.com/openstreetmap/umap/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" @@ -287,7 +290,7 @@ msgstr "Naviguer dans les cartes" msgid "You are logged in. Continuing..." msgstr "Vous êtes maintenant identifié. Merci de patienter..." -#: umap/templates/umap/map_list.html:7 umap/views.py:227 +#: umap/templates/umap/map_list.html:7 umap/views.py:226 msgid "by" msgstr "par" @@ -345,44 +348,44 @@ msgstr "Votre mot de passe a été modifié" msgid "Not map found." msgstr "Aucune carte trouvée." -#: umap/views.py:232 +#: umap/views.py:231 msgid "View the map" msgstr "Voir la carte" -#: umap/views.py:529 +#: umap/views.py:519 #, 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 "Votre carte a été créée ! Si vous souhaitez la modifier depuis un autre ordinateur, veuillez utiliser ce lien : %(anonymous_url)s" -#: umap/views.py:534 +#: umap/views.py:524 msgid "Congratulations, your map has been created!" msgstr "Félicitations, votre carte a bien été créée !" -#: umap/views.py:564 +#: umap/views.py:554 msgid "Map has been updated!" msgstr "La carte a été mise à jour !" -#: umap/views.py:589 +#: umap/views.py:579 msgid "Map editors updated with success!" msgstr "Éditeurs de la carte mis à jour !" -#: umap/views.py:614 +#: umap/views.py:604 msgid "Only its owner can delete the map." msgstr "Seul le créateur de la carte peut la supprimer." -#: umap/views.py:637 +#: umap/views.py:627 #, 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 "Votre carte a été dupliquée ! Si vous souhaitez la modifier depuis un autre ordinateur, veuillez utiliser ce lien : %(anonymous_url)s" -#: umap/views.py:642 +#: umap/views.py:632 msgid "Congratulations, your map has been cloned!" msgstr "Votre carte a été dupliquée !" -#: umap/views.py:793 +#: umap/views.py:787 msgid "Layer successfully deleted." msgstr "Calque supprimé." diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 6d056164..71f83952 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- ለአግድም መስመር", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "ስለ", + "Action not allowed :(": "አይፈቀድም :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "ሌየር ጨምር", + "Add a line to the current multi": "ላሁኑ ብዝሀ መስመር ጨምር", + "Add a new property": "አዲስ ባህርይ ጨምር", + "Add a polygon to the current multi": "ላሁኑ ብዝሀ ፖሊጎን ጨምር", "Add symbol": "ምልክት ጨምር", + "Advanced actions": "ተጨማሪ ተግባራት", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "ተጨማሪ ባህርያት", + "Advanced transition": "Advanced transition", + "All properties are imported.": "ሁሉም ባህርያት መጥተዋል", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "በማውሱ መሀከለኛ ተሽከርካሪ ማጉላት ይፈቀድ?", + "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 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": "Attach the map to my account", + "Auto": "አውቶ", "Automatic": ".", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "ኳስ", + "Bring feature to center": "ፊቸርሩን ወደመሀከል አምጣ", + "Browse data": "መረጃዎቹን አሥሥ", + "Cache proxied request": "Cache proxied request", "Cancel": "አቁም/ሰርዝ", + "Cancel edits": "እርማቶችን ሰርዝ", "Caption": "ካፕሽን", + "Center map on your location": "መገኛዎን የሚያሳየውን ካርታ ወደ መሀል ያድርጉ", + "Change map background": "የካርታውን የጀርባ ገፅታ ይቀይሩ", "Change symbol": "ምልክቱን ይቀይሩ", + "Change tilelayers": "የታይልሌየሩን", + "Choose a preset": "ፕሪሴት ምረጥ", "Choose the data format": "የረጃውን ፎርማት ቀይር", + "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer of the feature": "የፊቸሩን ሌየር ይምረጡ", + "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Circle": "አክብብ/ክብ", + "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": "ፖሊጎን ለመሳል ጠቅ አድርግ", + "Clone": "አዳቅል", + "Clone of {name}": "የ {name} ድቃይ", + "Clone this feature": "Clone this feature", + "Clone this map": "ይህንን ካርታ አባዛ", + "Close": "ዝጋ", "Clustered": "ክለስተርድ", + "Clustering radius": "ክለስተሪንግ ራዲየስ", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "በኮማ፣ታብ፣ግማሽኮለን የተከፋፈሉ ውጤቶች። SRSWG84 ተመላክቷል። የነጥብ ጂኦሜትሪዎች ብቻ መጥተዋል። የማምጣት ሂደቱ የኮለምን ሄደሮችን በማሰስ «ላቲትዩድ» እና «ሎንጊትዩድ» የሚሉትን ቃላት መኖር ከመጀመሪያው በመነሳት ያጣራል። ሁሉም ኮለምኖች እንደባህርይ መጥተዋል።", + "Continue line": "መስመሩን ቀጥል", + "Continue line (Ctrl+Click)": "መስመሩን ቀጥል", + "Coordinates": "ኮርዲኔቶች", + "Credits": "ክሬዲቶች", + "Current view instead of default map view?": "ከዲፎልት የካርታ እይታው ፋንታ የአሁኑ እይታ?", + "Custom background": "የተስተካከለ ጀርባ", + "Custom overlay": "Custom overlay", "Data browser": "የመረጃ ማሰሻ", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "ዋና ምርጫ (ዲፎልት)", + "Default interaction options": "Default interaction options", + "Default properties": "ዲፎልት ባህርያት", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "ዲፎልት፡ ስም", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "ይህንን ፊቸር ሰርዝ", + "Delete this property on all the features": "በሁሉም ፊቸሮች ላይ ይህንን ባህርይ ሰርዝ", + "Delete this shape": "ይህንን ቅርፅ ሰርዝ", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "ከዚህ የሚነሱ አቅጣጫዎች", + "Disable editing": "ማረም ከልክል ነው", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "በመጫን ላይ እያለ አሳይ", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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 shape", - "Icon symbol": "Icon symbol", - "Inherit": "ውረስ", - "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", - "Popup content template": "የፖፕ-አፕ ኮንቴንት ተምሳሌ", - "Set symbol": "Set symbol", - "Side panel": "የጎን ፓኔል", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "ሰንጠረዥ", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "ከለር", - "dash array": "ዳሽ አሬይ", - "define": "define", - "description": "መገለጫ", - "expanded": "expanded", - "fill": "ሙላ", - "fill color": "ከለር ሙላ", - "fill opacity": "ኦፓሲቲውን ሙላ", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "ውረስ", - "name": "ስም", - "never": "never", - "new window": "new window", - "no": "አይደለም", - "on hover": "on hover", - "opacity": "ኦፓሲቲ", - "parent window": "parent window", - "stroke": "ሳል/ጫር", - "weight": "ክብደት", - "yes": "አዎን", - "{delay} seconds": "{delay} seconds", - "# 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\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"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 new property": "አዲስ ባህርይ ጨምር", - "Add a polygon to the current multi": "ላሁኑ ብዝሀ ፖሊጎን ጨምር", - "Advanced actions": "ተጨማሪ ተግባራት", - "Advanced properties": "ተጨማሪ ባህርያት", - "Advanced transition": "Advanced transition", - "All properties are imported.": "ሁሉም ባህርያት መጥተዋል", - "Allow interactions": "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 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": "Attach the map to my account", - "Auto": "አውቶ", - "Autostart when map is loaded": "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": "ፖሊጎን ለመሳል ጠቅ አድርግ", - "Clone": "አዳቅል", - "Clone of {name}": "የ {name} ድቃይ", - "Clone this feature": "Clone this feature", - "Clone this map": "ይህንን ካርታ አባዛ", - "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.": "በኮማ፣ታብ፣ግማሽኮለን የተከፋፈሉ ውጤቶች። SRSWG84 ተመላክቷል። የነጥብ ጂኦሜትሪዎች ብቻ መጥተዋል። የማምጣት ሂደቱ የኮለምን ሄደሮችን በማሰስ «ላቲትዩድ» እና «ሎንጊትዩድ» የሚሉትን ቃላት መኖር ከመጀመሪያው በመነሳት ያጣራል። ሁሉም ኮለምኖች እንደባህርይ መጥተዋል።", - "Continue line": "መስመሩን ቀጥል", - "Continue line (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 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 all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "ይህንን ፊቸር ሰርዝ", - "Delete this property on all the features": "በሁሉም ፊቸሮች ላይ ይህንን ባህርይ ሰርዝ", - "Delete this shape": "ይህንን ቅርፅ ሰርዝ", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "ከዚህ የሚነሱ አቅጣጫዎች", - "Disable editing": "ማረም ከልክል ነው", - "Display measure": "Display measure", - "Display on load": "በመጫን ላይ እያለ አሳይ", "Download": "Download", "Download data": "መረጃውን አውርድ", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "መለያ ሳል", "Draw a polygon": "ፖሊጎን ሳል", "Draw a polyline": "ባለነጠላ መስመር ሳል", + "Drop": "ጣል", "Dynamic": "ዳይናሚክ", "Dynamic properties": "ዳይናሚክ ባህርያት", "Edit": "አርም", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "ካርታውን አካትት", "Empty": "ባዶ", "Enable editing": "እርማትን ፍቀድ", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "በታይልሌየሩ የድረ-ገፅ መገኛ ላይ ስህተት ተፈጥሯል", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "ፊቸሩን ለመለየት ቅርፁን ነጥለህ አውጣ", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "አጣራ", "Format": "ፎርማት", "From zoom": "ከዙም", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (ሊንክ ብቻ)", + "GeoRSS (title + image)": "GeoRSS (መጠሪያ + ምስል)", "Go to «{feature}»": "ወደ «{feature}» ተመለስ", + "Heatmap": "የሙቀት ካርታ", "Heatmap intensity property": "የሙቀት ካርታ ኢንቴንሲቲ ባህርይ", "Heatmap radius": "የሙቀት ካርታ ራዲየስ", "Help": "እርዳታ", "Hide controls": "መቆጣጠሪያዎቹን ደብቅ", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "በእያንዳንዱ የዙም መጠን ፖሊላይኑን ምን ያህል ያቃልል (ብዙ = ጥሩ አገልግሎት እና ጥሩ መልክ፣ ትንሽ = ይበልጥ ትክክለኛ)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "If false, the polygon will act as a part of the underlying map.": "ስህተት ከሆነ ፖሊጎኑ ከስር እንደተነጠፈ ካርታ ያገለግላል", "Iframe export options": "የፍሬም ኤክስፖርት ምርጫዎች", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "|ፍሬሙ ከተሻሻለ ቁመት ጋር (በፒክሰል)፡ {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "አዲስ ሌየር አምጣ", "Imports all umap data, including layers and settings.": "ሌየር እና ሁኔታዎቹን ጨምሮ ሁሉንም የዩማፕ መረጃ ያመጣል", "Include full screen link?": "ሙሉ ስክሪን ሊክን ያካትት?", + "Inherit": "ውረስ", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "ያልተፈቀደ የዩማፕ መረጃ", "Invalid umap data in {filename}": "ያልተፈቀደ የዩማፕ መረጃ በ {filename} ውስጥ", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "በወቅቱ የሚታየውን ሌየር አቆይ", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "ላቲትዩድ", "Layer": "ሌየር", "Layer properties": "የሌየር ባህርያት", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "መስመሮችን ቀላቅል", "More controls": "ተጨማሪ መቆጣጠሪያዎች", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "ምንም ፈቃድ አልተሰጠም", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "የሚታዩት ፊቸሮች ብቻ ይወርዳሉ", + "Open current feature on load": "Open current feature on load", "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": "ለOpernStreetMap ይበልጥ ትክክል ይሆነ መረጃ ለመስጠ የካርታውን ኤክስቴንት በካርታ ማረሚያ ክፈት", "Optional intensity property for heatmap": "ለሙቀት ካርታው ባህርይ አማራጭ ኢንቴንሲቲ", + "Optional.": "Optional.", "Optional. Same as color if not set.": "አማራጭ፣ ካልተመረጠለት እንደቀለሙ የሚሆን", "Override clustering radius (default 80)": "የራዲየስ ክለስተሪንግ አልፈህ ሂድ (ዲፎልት 80)", "Override heatmap radius (default 25)": "የሙቀት ካርታውን ራዲየስ አልፈህ ሂድ (ዲፎልት 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "እባክዎን አዲሱን የባህርይውን ስም ያስገቡ", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "የፖፕ-አፕ ኮንቴንት ተምሳሌ", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "በ ሊፍሌት እየታገዘ በ ጃንጎ ታግዞ በ uMap ፕሮጀክት አማካኝነት የቀረበ", "Problem in the response": "በምላሹ ላይ ችግር ተፈጥሯል", "Problem in the response format": "በምላሹ ፎርማት ላይ ችግር ተፈጥሯል", @@ -262,12 +262,17 @@ var locale = { "See all": "ሁሉንም ተመልከት", "See data layers": "See data layers", "See full screen": "ሙሉውን ስክሪን ተመልከት", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "አጭር የድረ-ገፅ መገኛ", "Short credits": "አጭር ክሬዲት", "Show/hide layer": "ሌየሩን አሳይ/ደብቅ", + "Side panel": "የጎን ፓኔል", "Simple link: [[http://example.com]]": "ቀላል መገኛ: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "ስላይድሾው", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.": "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 or url": "Symbol or url", "TMS format": "ቲ.ኤም.ኤስ. ፎርማት", + "Table": "ሰንጠረዥ", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "ለማጉላት", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "ውይ! ሌላ ሰው መረጃውን ሳያርመው አይቀርም። ለማንኛውም ማዳን/ማስቀመጥ ይቻላል፣ ነገር ግን የሌሎች እርማቶች ይሰረዛሉ", "You have unsaved changes.": "ያልዳኑ/ያልተቀመጡ ለውጦች አሉ", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "ቀደም ወዳለው አጉላ", "Zoom to this feature": "ፊቸሩ ድረስ አጉላ", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "አትሪብዩሽን", "by": "በ", + "clear": "clear", + "collapsed": "collapsed", + "color": "ከለር", + "dash array": "ዳሽ አሬይ", + "define": "define", + "description": "መገለጫ", "display name": "ስሙን አሳይ", + "expanded": "expanded", + "fill": "ሙላ", + "fill color": "ከለር ሙላ", + "fill opacity": "ኦፓሲቲውን ሙላ", "height": "ቁመት", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "ውረስ", "licence": "ፈቃድ", "max East": "በምስራቅ ከፍተናው", "max North": "በደቡብ ከፍተኛው", @@ -332,10 +355,21 @@ var locale = { "max West": "በምዕራብ ከፍተኛው", "max zoom": "የመጨረሻው ዙም", "min zoom": "ትንሹ ዙም", + "name": "ስም", + "never": "never", + "new window": "new window", "next": "ቀጥሎ", + "no": "አይደለም", + "on hover": "on hover", + "opacity": "ኦፓሲቲ", + "parent window": "parent window", "previous": "ቀድሞ", + "stroke": "ሳል/ጫር", + "weight": "ክብደት", "width": "ጎን", + "yes": "አዎን", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("am_ET", locale); L.setLocale("am_ET"); \ No newline at end of file diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index e9824927..3926c0e7 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- ለአግድም መስመር", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "ስለ", + "Action not allowed :(": "አይፈቀድም :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "ሌየር ጨምር", + "Add a line to the current multi": "ላሁኑ ብዝሀ መስመር ጨምር", + "Add a new property": "አዲስ ባህርይ ጨምር", + "Add a polygon to the current multi": "ላሁኑ ብዝሀ ፖሊጎን ጨምር", "Add symbol": "ምልክት ጨምር", + "Advanced actions": "ተጨማሪ ተግባራት", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "ተጨማሪ ባህርያት", + "Advanced transition": "Advanced transition", + "All properties are imported.": "ሁሉም ባህርያት መጥተዋል", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "በማውሱ መሀከለኛ ተሽከርካሪ ማጉላት ይፈቀድ?", + "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 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": "Attach the map to my account", + "Auto": "አውቶ", "Automatic": ".", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "ኳስ", + "Bring feature to center": "ፊቸርሩን ወደመሀከል አምጣ", + "Browse data": "መረጃዎቹን አሥሥ", + "Cache proxied request": "Cache proxied request", "Cancel": "አቁም/ሰርዝ", + "Cancel edits": "እርማቶችን ሰርዝ", "Caption": "ካፕሽን", + "Center map on your location": "መገኛዎን የሚያሳየውን ካርታ ወደ መሀል ያድርጉ", + "Change map background": "የካርታውን የጀርባ ገፅታ ይቀይሩ", "Change symbol": "ምልክቱን ይቀይሩ", + "Change tilelayers": "የታይልሌየሩን", + "Choose a preset": "ፕሪሴት ምረጥ", "Choose the data format": "የረጃውን ፎርማት ቀይር", + "Choose the format of the data to import": "ሊያመጡ የፈለጉትን የመረጃ ፎርማት ይምረጡ", "Choose the layer of the feature": "የፊቸሩን ሌየር ይምረጡ", + "Choose the layer to import in": "የሚያስገቡበት ሌየር ይምረጡ", "Circle": "አክብብ/ክብ", + "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": "ፖሊጎን ለመሳል ጠቅ አድርግ", + "Clone": "አዳቅል", + "Clone of {name}": "የ {name} ድቃይ", + "Clone this feature": "Clone this feature", + "Clone this map": "ይህንን ካርታ አባዛ", + "Close": "ዝጋ", "Clustered": "ክለስተርድ", + "Clustering radius": "ክለስተሪንግ ራዲየስ", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "በኮማ፣ታብ፣ግማሽኮለን የተከፋፈሉ ውጤቶች። SRSWG84 ተመላክቷል። የነጥብ ጂኦሜትሪዎች ብቻ መጥተዋል። የማምጣት ሂደቱ የኮለምን ሄደሮችን በማሰስ «ላቲትዩድ» እና «ሎንጊትዩድ» የሚሉትን ቃላት መኖር ከመጀመሪያው በመነሳት ያጣራል። ሁሉም ኮለምኖች እንደባህርይ መጥተዋል።", + "Continue line": "መስመሩን ቀጥል", + "Continue line (Ctrl+Click)": "መስመሩን ቀጥል", + "Coordinates": "ኮርዲኔቶች", + "Credits": "ክሬዲቶች", + "Current view instead of default map view?": "ከዲፎልት የካርታ እይታው ፋንታ የአሁኑ እይታ?", + "Custom background": "የተስተካከለ ጀርባ", + "Custom overlay": "Custom overlay", "Data browser": "የመረጃ ማሰሻ", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "ዋና ምርጫ (ዲፎልት)", + "Default interaction options": "Default interaction options", + "Default properties": "ዲፎልት ባህርያት", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "ዲፎልት፡ ስም", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "ይህንን ፊቸር ሰርዝ", + "Delete this property on all the features": "በሁሉም ፊቸሮች ላይ ይህንን ባህርይ ሰርዝ", + "Delete this shape": "ይህንን ቅርፅ ሰርዝ", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "ከዚህ የሚነሱ አቅጣጫዎች", + "Disable editing": "ማረም ከልክል ነው", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "በመጫን ላይ እያለ አሳይ", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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 shape", - "Icon symbol": "Icon symbol", - "Inherit": "ውረስ", - "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", - "Popup content template": "የፖፕ-አፕ ኮንቴንት ተምሳሌ", - "Set symbol": "Set symbol", - "Side panel": "የጎን ፓኔል", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "ሰንጠረዥ", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "ከለር", - "dash array": "ዳሽ አሬይ", - "define": "define", - "description": "መገለጫ", - "expanded": "expanded", - "fill": "ሙላ", - "fill color": "ከለር ሙላ", - "fill opacity": "ኦፓሲቲውን ሙላ", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "ውረስ", - "name": "ስም", - "never": "never", - "new window": "new window", - "no": "አይደለም", - "on hover": "on hover", - "opacity": "ኦፓሲቲ", - "parent window": "parent window", - "stroke": "ሳል/ጫር", - "weight": "ክብደት", - "yes": "አዎን", - "{delay} seconds": "{delay} seconds", - "# 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\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"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 new property": "አዲስ ባህርይ ጨምር", - "Add a polygon to the current multi": "ላሁኑ ብዝሀ ፖሊጎን ጨምር", - "Advanced actions": "ተጨማሪ ተግባራት", - "Advanced properties": "ተጨማሪ ባህርያት", - "Advanced transition": "Advanced transition", - "All properties are imported.": "ሁሉም ባህርያት መጥተዋል", - "Allow interactions": "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 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": "Attach the map to my account", - "Auto": "አውቶ", - "Autostart when map is loaded": "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": "ፖሊጎን ለመሳል ጠቅ አድርግ", - "Clone": "አዳቅል", - "Clone of {name}": "የ {name} ድቃይ", - "Clone this feature": "Clone this feature", - "Clone this map": "ይህንን ካርታ አባዛ", - "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.": "በኮማ፣ታብ፣ግማሽኮለን የተከፋፈሉ ውጤቶች። SRSWG84 ተመላክቷል። የነጥብ ጂኦሜትሪዎች ብቻ መጥተዋል። የማምጣት ሂደቱ የኮለምን ሄደሮችን በማሰስ «ላቲትዩድ» እና «ሎንጊትዩድ» የሚሉትን ቃላት መኖር ከመጀመሪያው በመነሳት ያጣራል። ሁሉም ኮለምኖች እንደባህርይ መጥተዋል።", - "Continue line": "መስመሩን ቀጥል", - "Continue line (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 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 all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "ይህንን ፊቸር ሰርዝ", - "Delete this property on all the features": "በሁሉም ፊቸሮች ላይ ይህንን ባህርይ ሰርዝ", - "Delete this shape": "ይህንን ቅርፅ ሰርዝ", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "ከዚህ የሚነሱ አቅጣጫዎች", - "Disable editing": "ማረም ከልክል ነው", - "Display measure": "Display measure", - "Display on load": "በመጫን ላይ እያለ አሳይ", "Download": "Download", "Download data": "መረጃውን አውርድ", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "መለያ ሳል", "Draw a polygon": "ፖሊጎን ሳል", "Draw a polyline": "ባለነጠላ መስመር ሳል", + "Drop": "ጣል", "Dynamic": "ዳይናሚክ", "Dynamic properties": "ዳይናሚክ ባህርያት", "Edit": "አርም", @@ -172,23 +139,31 @@ "Embed the map": "ካርታውን አካትት", "Empty": "ባዶ", "Enable editing": "እርማትን ፍቀድ", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "በታይልሌየሩ የድረ-ገፅ መገኛ ላይ ስህተት ተፈጥሯል", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "ፊቸሩን ለመለየት ቅርፁን ነጥለህ አውጣ", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "አጣራ", "Format": "ፎርማት", "From zoom": "ከዙም", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (ሊንክ ብቻ)", + "GeoRSS (title + image)": "GeoRSS (መጠሪያ + ምስል)", "Go to «{feature}»": "ወደ «{feature}» ተመለስ", + "Heatmap": "የሙቀት ካርታ", "Heatmap intensity property": "የሙቀት ካርታ ኢንቴንሲቲ ባህርይ", "Heatmap radius": "የሙቀት ካርታ ራዲየስ", "Help": "እርዳታ", "Hide controls": "መቆጣጠሪያዎቹን ደብቅ", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "በእያንዳንዱ የዙም መጠን ፖሊላይኑን ምን ያህል ያቃልል (ብዙ = ጥሩ አገልግሎት እና ጥሩ መልክ፣ ትንሽ = ይበልጥ ትክክለኛ)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "If false, the polygon will act as a part of the underlying map.": "ስህተት ከሆነ ፖሊጎኑ ከስር እንደተነጠፈ ካርታ ያገለግላል", "Iframe export options": "የፍሬም ኤክስፖርት ምርጫዎች", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "|ፍሬሙ ከተሻሻለ ቁመት ጋር (በፒክሰል)፡ {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "አዲስ ሌየር አምጣ", "Imports all umap data, including layers and settings.": "ሌየር እና ሁኔታዎቹን ጨምሮ ሁሉንም የዩማፕ መረጃ ያመጣል", "Include full screen link?": "ሙሉ ስክሪን ሊክን ያካትት?", + "Inherit": "ውረስ", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "ያልተፈቀደ የዩማፕ መረጃ", "Invalid umap data in {filename}": "ያልተፈቀደ የዩማፕ መረጃ በ {filename} ውስጥ", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "በወቅቱ የሚታየውን ሌየር አቆይ", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "ላቲትዩድ", "Layer": "ሌየር", "Layer properties": "የሌየር ባህርያት", @@ -225,20 +206,39 @@ "Merge lines": "መስመሮችን ቀላቅል", "More controls": "ተጨማሪ መቆጣጠሪያዎች", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "ምንም ፈቃድ አልተሰጠም", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "የሚታዩት ፊቸሮች ብቻ ይወርዳሉ", + "Open current feature on load": "Open current feature on load", "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": "ለOpernStreetMap ይበልጥ ትክክል ይሆነ መረጃ ለመስጠ የካርታውን ኤክስቴንት በካርታ ማረሚያ ክፈት", "Optional intensity property for heatmap": "ለሙቀት ካርታው ባህርይ አማራጭ ኢንቴንሲቲ", + "Optional.": "Optional.", "Optional. Same as color if not set.": "አማራጭ፣ ካልተመረጠለት እንደቀለሙ የሚሆን", "Override clustering radius (default 80)": "የራዲየስ ክለስተሪንግ አልፈህ ሂድ (ዲፎልት 80)", "Override heatmap radius (default 25)": "የሙቀት ካርታውን ራዲየስ አልፈህ ሂድ (ዲፎልት 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "እባክዎን አዲሱን የባህርይውን ስም ያስገቡ", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "የፖፕ-አፕ ኮንቴንት ተምሳሌ", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "በ ሊፍሌት እየታገዘ በ ጃንጎ ታግዞ በ uMap ፕሮጀክት አማካኝነት የቀረበ", "Problem in the response": "በምላሹ ላይ ችግር ተፈጥሯል", "Problem in the response format": "በምላሹ ፎርማት ላይ ችግር ተፈጥሯል", @@ -262,12 +262,17 @@ "See all": "ሁሉንም ተመልከት", "See data layers": "See data layers", "See full screen": "ሙሉውን ስክሪን ተመልከት", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "አጭር የድረ-ገፅ መገኛ", "Short credits": "አጭር ክሬዲት", "Show/hide layer": "ሌየሩን አሳይ/ደብቅ", + "Side panel": "የጎን ፓኔል", "Simple link: [[http://example.com]]": "ቀላል መገኛ: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "ስላይድሾው", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.": "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 or url": "Symbol or url", "TMS format": "ቲ.ኤም.ኤስ. ፎርማት", + "Table": "ሰንጠረዥ", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "ለማጉላት", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "ውይ! ሌላ ሰው መረጃውን ሳያርመው አይቀርም። ለማንኛውም ማዳን/ማስቀመጥ ይቻላል፣ ነገር ግን የሌሎች እርማቶች ይሰረዛሉ", "You have unsaved changes.": "ያልዳኑ/ያልተቀመጡ ለውጦች አሉ", @@ -321,10 +330,24 @@ "Zoom to the previous": "ቀደም ወዳለው አጉላ", "Zoom to this feature": "ፊቸሩ ድረስ አጉላ", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "አትሪብዩሽን", "by": "በ", + "clear": "clear", + "collapsed": "collapsed", + "color": "ከለር", + "dash array": "ዳሽ አሬይ", + "define": "define", + "description": "መገለጫ", "display name": "ስሙን አሳይ", + "expanded": "expanded", + "fill": "ሙላ", + "fill color": "ከለር ሙላ", + "fill opacity": "ኦፓሲቲውን ሙላ", "height": "ቁመት", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "ውረስ", "licence": "ፈቃድ", "max East": "በምስራቅ ከፍተናው", "max North": "በደቡብ ከፍተኛው", @@ -332,10 +355,21 @@ "max West": "በምዕራብ ከፍተኛው", "max zoom": "የመጨረሻው ዙም", "min zoom": "ትንሹ ዙም", + "name": "ስም", + "never": "never", + "new window": "new window", "next": "ቀጥሎ", + "no": "አይደለም", + "on hover": "on hover", + "opacity": "ኦፓሲቲ", + "parent window": "parent window", "previous": "ቀድሞ", + "stroke": "ሳል/ጫር", + "weight": "ክብደት", "width": "ጎን", + "yes": "አዎን", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 9e850e8b..84209599 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "ساعة", + "5 min": "5 دقائق", + "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 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 symbol": "أضف رمزًا", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "يسمح بالتفاعل", "Allow scroll wheel zoom?": "السماح بالتكبير بتمرير عجلة الفأرة؟", + "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 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 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", "Automatic": "تلقائي", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "كرة", + "Bring feature to center": "Bring feature to center", + "Browse data": "تصفح البيانات", + "Cache proxied request": "Cache proxied request", "Cancel": "إلغاء", + "Cancel edits": "Cancel edits", "Caption": "شرح", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "غيّر الرمز", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "اختر تنسيق البيانات", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "اختر طبقة الشكل", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "دائرة", + "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": "أغلق", "Clustered": "متجمع", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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 (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", + "Custom overlay": "Custom overlay", "Data browser": "متصفح البيانات", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "افتراضي", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "مستوى التكبير الافتراضي", "Default: name": "اسم: افتراضي", + "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 all layers": "حذف كل الطبقات", + "Delete layer": "حذف طبقة", + "Delete this feature": "حذف هذه الخاصية", + "Delete this property on all the features": "Delete this property on all the features", + "Delete this shape": "حذف هذا الشكل", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Directions from here", + "Disable editing": "Disable editing", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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 left": "على اليسار", - "On the right": "على اليمين", - "On the top": "إلى الأعلى", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "لوحة جانبية", - "Simplify": "بسّط", - "Symbol or url": "Symbol or url", - "Table": "جدول", - "always": "دائماً", - "clear": "clear", - "collapsed": "collapsed", - "color": "لون", - "dash array": "dash array", - "define": "حدّد", - "description": "تقديم", - "expanded": "expanded", - "fill": "fill", - "fill color": "fill color", - "fill opacity": "fill opacity", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "inherit", - "name": "إسم", - "never": "أبداً", - "new window": "نافدة جديدة", - "no": "لا", - "on hover": "on hover", - "opacity": "شفافية", - "parent window": "parent window", - "stroke": "stroke", - "weight": "weight", - "yes": "نعم", - "{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 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": "يسمح بالتفاعل", - "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 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 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": "تصفح البيانات", - "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": "أغلق", - "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 (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 all layers": "حذف كل الطبقات", - "Delete layer": "حذف طبقة", - "Delete this feature": "حذف هذه الخاصية", - "Delete this property on all the features": "Delete this property on all the features", - "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": "تحميل بيانات", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "رسم علامة", "Draw a polygon": "رسم متعدد أضلاع", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "الخروج من الشاشة الكاملة", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "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)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "طبقة", "Layer properties": "خصوصيات طبقة", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "None", + "On the bottom": "في الأسفل", + "On the left": "على اليسار", + "On the right": "على اليمين", + "On the top": "إلى الأعلى", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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 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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "لوحة جانبية", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "بسّط", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "جدول", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "دائماً", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "لون", + "dash array": "dash array", + "define": "حدّد", + "description": "تقديم", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "إسم", + "never": "أبداً", + "new window": "نافدة جديدة", "next": "next", + "no": "لا", + "on hover": "on hover", + "opacity": "شفافية", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "نعم", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{الأجل} ثواني", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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": "ساعة", - "5 min": "5 دقائق", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("ar", locale); L.setLocale("ar"); \ No newline at end of file diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 2bb2c519..fe81e148 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "ساعة", + "5 min": "5 دقائق", + "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 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 symbol": "أضف رمزًا", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "يسمح بالتفاعل", "Allow scroll wheel zoom?": "السماح بالتكبير بتمرير عجلة الفأرة؟", + "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 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 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", "Automatic": "تلقائي", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "كرة", + "Bring feature to center": "Bring feature to center", + "Browse data": "تصفح البيانات", + "Cache proxied request": "Cache proxied request", "Cancel": "إلغاء", + "Cancel edits": "Cancel edits", "Caption": "شرح", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "غيّر الرمز", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "اختر تنسيق البيانات", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "اختر طبقة الشكل", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "دائرة", + "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": "أغلق", "Clustered": "متجمع", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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 (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", + "Custom overlay": "Custom overlay", "Data browser": "متصفح البيانات", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "افتراضي", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "مستوى التكبير الافتراضي", "Default: name": "اسم: افتراضي", + "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 all layers": "حذف كل الطبقات", + "Delete layer": "حذف طبقة", + "Delete this feature": "حذف هذه الخاصية", + "Delete this property on all the features": "Delete this property on all the features", + "Delete this shape": "حذف هذا الشكل", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Directions from here", + "Disable editing": "Disable editing", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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 left": "على اليسار", - "On the right": "على اليمين", - "On the top": "إلى الأعلى", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "لوحة جانبية", - "Simplify": "بسّط", - "Symbol or url": "Symbol or url", - "Table": "جدول", - "always": "دائماً", - "clear": "clear", - "collapsed": "collapsed", - "color": "لون", - "dash array": "dash array", - "define": "حدّد", - "description": "تقديم", - "expanded": "expanded", - "fill": "fill", - "fill color": "fill color", - "fill opacity": "fill opacity", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "inherit", - "name": "إسم", - "never": "أبداً", - "new window": "نافدة جديدة", - "no": "لا", - "on hover": "on hover", - "opacity": "شفافية", - "parent window": "parent window", - "stroke": "stroke", - "weight": "weight", - "yes": "نعم", - "{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 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": "يسمح بالتفاعل", - "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 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 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": "تصفح البيانات", - "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": "أغلق", - "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 (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 all layers": "حذف كل الطبقات", - "Delete layer": "حذف طبقة", - "Delete this feature": "حذف هذه الخاصية", - "Delete this property on all the features": "Delete this property on all the features", - "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": "تحميل بيانات", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "رسم علامة", "Draw a polygon": "رسم متعدد أضلاع", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "الخروج من الشاشة الكاملة", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "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)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "طبقة", "Layer properties": "خصوصيات طبقة", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "None", + "On the bottom": "في الأسفل", + "On the left": "على اليسار", + "On the right": "على اليمين", + "On the top": "إلى الأعلى", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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 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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "لوحة جانبية", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "بسّط", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "جدول", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "دائماً", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "لون", + "dash array": "dash array", + "define": "حدّد", + "description": "تقديم", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "إسم", + "never": "أبداً", + "new window": "نافدة جديدة", "next": "next", + "no": "لا", + "on hover": "on hover", + "opacity": "شفافية", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "نعم", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{الأجل} ثواني", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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": "ساعة", - "5 min": "5 دقائق", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index b0ee5030..1f041df2 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("ast", locale); L.setLocale("ast"); \ No newline at end of file diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index 09fe58c4..08e76eac 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "---за хоризонтална линия", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "относно", + "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 new property", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Добави символ", + "Advanced actions": "Разширено действия", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Разширени свойства", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Всички свойства са внесени.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Мащабиране с колелцето на мишката?", + "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 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 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", "Automatic": "Автоматично", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "топка", + "Bring feature to center": "Bring feature to center", + "Browse data": "Преглед данни", + "Cache proxied request": "Cache proxied request", "Cancel": "Отмени", + "Cancel edits": "Отмени редакциите", "Caption": "Надпис", + "Center map on your location": "Center map on your location", + "Change map background": "Промяна фона на картата", "Change symbol": "Промяна символ", + "Change tilelayers": "Променете слоевете", + "Choose a preset": "Изберете предварително зададен", "Choose the data format": "Изберете формата на данните", + "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer of the feature": "Изберете слой на функцията", + "Choose the layer to import in": "Избери слой за внасяне в", "Circle": "окръжност", + "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 of {name}": "Клонинг на {име}", + "Clone this feature": "Clone this feature", + "Clone this map": "клонира тази карта", + "Close": "Close", "Clustered": "Клъстер", + "Clustering radius": "радиус на клъстери", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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)": "Продължаване на линията (Ctrl+Click)", + "Coordinates": "Координати", + "Credits": "приемам като достоверен", + "Current view instead of default map view?": "Текущ изглед, вместо по подразбиране вижте карта?", + "Custom background": "Потребителски фон", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "по подразбиране", + "Default interaction options": "Интерактивни функции по подразбиране", + "Default properties": "По подразбиране свойства", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "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": "Упътвания от тук", + "Disable editing": "Забранете редакция", "Display label": "Показване на етикет", + "Display measure": "Display measure", + "Display on load": "Дисплей на зареждане", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "маркер", - "GeoRSS (only link)": "GeoRSS (само за връзка)", - "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", - "Heatmap": "Топлинна карта", - "Icon shape": "Форма на иконата", - "Icon symbol": "Символ на иконата", - "Inherit": "Наследи", - "Label direction": "Посока на текста на етикета", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Нищо", - "On the bottom": "Отдолу", - "On the left": "Вляво", - "On the right": "Вдясно", - "On the top": "Отгоре", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "Страничен панел", - "Simplify": "Опрости", - "Symbol or url": "Символ или URL", - "Table": "Table", - "always": "винаги", - "clear": "изчисти", - "collapsed": "collapsed", - "color": "цвят", - "dash array": "dash array", - "define": "define", - "description": "описание", - "expanded": "expanded", - "fill": "запълни", - "fill color": "попълнете цвят", - "fill opacity": "попълнете непрозрачност", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "наследи", - "name": "име", - "never": "никога", - "new window": "new window", - "no": "не", - "on hover": "при преминаване с мишката", - "opacity": "непрозрачност", - "parent window": "родителски прозорец", - "stroke": "stroke", - "weight": "тегло", - "yes": "да", - "{delay} seconds": "{забавяне} сек.", - "# 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\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"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 new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Разширено действия", - "Advanced properties": "Разширени свойства", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Всички свойства са внесени.", - "Allow interactions": "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 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 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": "Преглед данни", - "Cancel edits": "Отмени редакциите", - "Center map on your location": "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 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 of {name}": "Клонинг на {име}", - "Clone this feature": "Clone this feature", - "Clone this map": "клонира тази карта", - "Close": "Close", - "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)": "Продължаване на линията (Ctrl+Click)", - "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": "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 all layers": "Delete all layers", - "Delete layer": "Delete layer", - "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": "Упътвания от тук", - "Disable editing": "Забранете редакция", - "Display measure": "Display measure", - "Display on load": "Дисплей на зареждане", "Download": "Download", "Download data": "Изтегляне на данни", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Начертайте маркер", "Draw a polygon": "Начертайте полигон", "Draw a polyline": "Начертайте полилиния", + "Drop": "маркер", "Dynamic": "динамичен", "Dynamic properties": "Dynamic properties", "Edit": "Редактиране", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Вграждане на карта", "Empty": "Празно", "Enable editing": "Разрешаване на редактирането", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Грешка в URL адреса на слоя", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Филтър ...", "Format": "формат", "From zoom": "От мащабиране", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (само за връзка)", + "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Топлинна карта", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "радиус на Топлинна карта", "Help": "Помощ", "Hide controls": "Скрий контролите", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Колко да опрости полилинията на всяко ниво увеличение (повече = по-добра производителност и по-гладко на вид, по-малко = по-точно)", + "Icon shape": "Форма на иконата", + "Icon symbol": "Символ на иконата", "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 with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ 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?": "Включи пълна връзка на екрана?", + "Inherit": "Наследи", "Interaction options": "Интерактивни функции", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Посока на текста на етикета", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Merge lines", "More controls": "Още контроли", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Нищо", + "On the bottom": "Отдолу", + "On the left": "Вляво", + "On the right": "Вдясно", + "On the top": "Отгоре", "Only visible features will be downloaded.": "Само видими функции ще бъдат изтеглени.", + "Open current feature on load": "Open current feature on load", "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": "Отворете тази карта в степен редактор на карта, за да предостави по-точни данни,OpenStreetMap", "Optional intensity property for heatmap": "Optional intensity property for heatmap", + "Optional.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 format": "Проблем във формата на отговор", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "Виж на цял екран", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Кратко URL", "Short credits": "Short credits", "Show/hide layer": "Покажи / скрий слой", + "Side panel": "Страничен панел", "Simple link: [[http://example.com]]": "проста връзка:[[http://example.com]]", + "Simplify": "Опрости", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.": "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 or url": "Символ или URL", "TMS format": "TMS формат", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "За да увеличите", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Увеличаване на тази характеристика", "Zoom to this place": "Zoom to this place", + "always": "винаги", "attribution": "приписване", "by": "чрез", + "clear": "изчисти", + "collapsed": "collapsed", + "color": "цвят", + "dash array": "dash array", + "define": "define", + "description": "описание", "display name": "показвано име", + "expanded": "expanded", + "fill": "запълни", + "fill color": "попълнете цвят", + "fill opacity": "попълнете непрозрачност", "height": "височина", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "наследи", "licence": "лиценз", "max East": "максимум Източен", "max North": "максимум Северен", @@ -332,10 +355,21 @@ var locale = { "max West": "максимум Западна", "max zoom": "максимум мащабиране", "min zoom": "минимално мащабиране", + "name": "име", + "never": "никога", + "new window": "new window", "next": "next", + "no": "не", + "on hover": "при преминаване с мишката", + "opacity": "непрозрачност", + "parent window": "родителски прозорец", "previous": "previous", + "stroke": "stroke", + "weight": "тегло", "width": "широчина", + "yes": "да", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{забавяне} сек.", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("bg", locale); L.setLocale("bg"); \ No newline at end of file diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 87cc4500..f0de8c2f 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "---за хоризонтална линия", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "относно", + "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 new property", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Добави символ", + "Advanced actions": "Разширено действия", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Разширени свойства", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Всички свойства са внесени.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Мащабиране с колелцето на мишката?", + "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 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 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", "Automatic": "Автоматично", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "топка", + "Bring feature to center": "Bring feature to center", + "Browse data": "Преглед данни", + "Cache proxied request": "Cache proxied request", "Cancel": "Отмени", + "Cancel edits": "Отмени редакциите", "Caption": "Надпис", + "Center map on your location": "Center map on your location", + "Change map background": "Промяна фона на картата", "Change symbol": "Промяна символ", + "Change tilelayers": "Променете слоевете", + "Choose a preset": "Изберете предварително зададен", "Choose the data format": "Изберете формата на данните", + "Choose the format of the data to import": "Изберете формат на данните за внос", "Choose the layer of the feature": "Изберете слой на функцията", + "Choose the layer to import in": "Избери слой за внасяне в", "Circle": "окръжност", + "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 of {name}": "Клонинг на {име}", + "Clone this feature": "Clone this feature", + "Clone this map": "клонира тази карта", + "Close": "Close", "Clustered": "Клъстер", + "Clustering radius": "радиус на клъстери", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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)": "Продължаване на линията (Ctrl+Click)", + "Coordinates": "Координати", + "Credits": "приемам като достоверен", + "Current view instead of default map view?": "Текущ изглед, вместо по подразбиране вижте карта?", + "Custom background": "Потребителски фон", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "по подразбиране", + "Default interaction options": "Интерактивни функции по подразбиране", + "Default properties": "По подразбиране свойства", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "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": "Упътвания от тук", + "Disable editing": "Забранете редакция", "Display label": "Показване на етикет", + "Display measure": "Display measure", + "Display on load": "Дисплей на зареждане", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "маркер", - "GeoRSS (only link)": "GeoRSS (само за връзка)", - "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", - "Heatmap": "Топлинна карта", - "Icon shape": "Форма на иконата", - "Icon symbol": "Символ на иконата", - "Inherit": "Наследи", - "Label direction": "Посока на текста на етикета", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Нищо", - "On the bottom": "Отдолу", - "On the left": "Вляво", - "On the right": "Вдясно", - "On the top": "Отгоре", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "Страничен панел", - "Simplify": "Опрости", - "Symbol or url": "Символ или URL", - "Table": "Table", - "always": "винаги", - "clear": "изчисти", - "collapsed": "collapsed", - "color": "цвят", - "dash array": "dash array", - "define": "define", - "description": "описание", - "expanded": "expanded", - "fill": "запълни", - "fill color": "попълнете цвят", - "fill opacity": "попълнете непрозрачност", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "наследи", - "name": "име", - "never": "никога", - "new window": "new window", - "no": "не", - "on hover": "при преминаване с мишката", - "opacity": "непрозрачност", - "parent window": "родителски прозорец", - "stroke": "stroke", - "weight": "тегло", - "yes": "да", - "{delay} seconds": "{забавяне} сек.", - "# 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\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"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 new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Разширено действия", - "Advanced properties": "Разширени свойства", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Всички свойства са внесени.", - "Allow interactions": "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 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 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": "Преглед данни", - "Cancel edits": "Отмени редакциите", - "Center map on your location": "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 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 of {name}": "Клонинг на {име}", - "Clone this feature": "Clone this feature", - "Clone this map": "клонира тази карта", - "Close": "Close", - "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)": "Продължаване на линията (Ctrl+Click)", - "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": "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 all layers": "Delete all layers", - "Delete layer": "Delete layer", - "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": "Упътвания от тук", - "Disable editing": "Забранете редакция", - "Display measure": "Display measure", - "Display on load": "Дисплей на зареждане", "Download": "Download", "Download data": "Изтегляне на данни", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Начертайте маркер", "Draw a polygon": "Начертайте полигон", "Draw a polyline": "Начертайте полилиния", + "Drop": "маркер", "Dynamic": "динамичен", "Dynamic properties": "Dynamic properties", "Edit": "Редактиране", @@ -172,23 +139,31 @@ "Embed the map": "Вграждане на карта", "Empty": "Празно", "Enable editing": "Разрешаване на редактирането", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Грешка в URL адреса на слоя", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Филтър ...", "Format": "формат", "From zoom": "От мащабиране", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (само за връзка)", + "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Топлинна карта", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "радиус на Топлинна карта", "Help": "Помощ", "Hide controls": "Скрий контролите", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Колко да опрости полилинията на всяко ниво увеличение (повече = по-добра производителност и по-гладко на вид, по-малко = по-точно)", + "Icon shape": "Форма на иконата", + "Icon symbol": "Символ на иконата", "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 with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "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?": "Включи пълна връзка на екрана?", + "Inherit": "Наследи", "Interaction options": "Интерактивни функции", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Посока на текста на етикета", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "Merge lines": "Merge lines", "More controls": "Още контроли", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Нищо", + "On the bottom": "Отдолу", + "On the left": "Вляво", + "On the right": "Вдясно", + "On the top": "Отгоре", "Only visible features will be downloaded.": "Само видими функции ще бъдат изтеглени.", + "Open current feature on load": "Open current feature on load", "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": "Отворете тази карта в степен редактор на карта, за да предостави по-точни данни,OpenStreetMap", "Optional intensity property for heatmap": "Optional intensity property for heatmap", + "Optional.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 format": "Проблем във формата на отговор", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "Виж на цял екран", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Кратко URL", "Short credits": "Short credits", "Show/hide layer": "Покажи / скрий слой", + "Side panel": "Страничен панел", "Simple link: [[http://example.com]]": "проста връзка:[[http://example.com]]", + "Simplify": "Опрости", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.": "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 or url": "Символ или URL", "TMS format": "TMS формат", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "За да увеличите", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Увеличаване на тази характеристика", "Zoom to this place": "Zoom to this place", + "always": "винаги", "attribution": "приписване", "by": "чрез", + "clear": "изчисти", + "collapsed": "collapsed", + "color": "цвят", + "dash array": "dash array", + "define": "define", + "description": "описание", "display name": "показвано име", + "expanded": "expanded", + "fill": "запълни", + "fill color": "попълнете цвят", + "fill opacity": "попълнете непрозрачност", "height": "височина", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "наследи", "licence": "лиценз", "max East": "максимум Източен", "max North": "максимум Северен", @@ -332,10 +355,21 @@ "max West": "максимум Западна", "max zoom": "максимум мащабиране", "min zoom": "минимално мащабиране", + "name": "име", + "never": "никога", + "new window": "new window", "next": "next", + "no": "не", + "on hover": "при преминаване с мишката", + "opacity": "непрозрачност", + "parent window": "родителски прозорец", "previous": "previous", + "stroke": "stroke", + "weight": "тегло", "width": "широчина", + "yes": "да", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{забавяне} сек.", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index a82c8bdb..f217841e 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# one hash for main heading", + "## two hashes for second heading": "## dos coixinets per a capçalera secundària", + "### three hashes for third heading": "### three hashes for third heading", + "**double star for bold**": "**doble asteric per a negreta**", + "*simple star for italic*": "*un asterisc per a cursiva*", + "--- for an horizontal rule": "--- per a una línia horitzontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "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": "Quant a", + "Action not allowed :(": "Acció no permesa :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Afegeix una capa", + "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 symbol": "Afegeix un símbol", + "Advanced actions": "Opcions avançades", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propietats avançades", + "Advanced transition": "Advanced transition", + "All properties are imported.": "S'han importat totes les propietats", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Voleu permetre el zoom amb la roda de desplaçament?", + "An error occured": "S'ha produït un error", + "Are you sure you want to cancel your changes?": "Esteu segur de voler cancel·lar els canvis?", + "Are you sure you want to clone this map and all its datalayers?": "Esteu segur de voler clonar aquest mapa i totes les capes de dades?", + "Are you sure you want to delete the feature?": "Segur que voleu suprimir la característica?", + "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?": "Esteu segur de voler suprimir aquest mapa?", + "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": "Adjunta el mapa al meu compte", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Bring feature to center", + "Browse data": "Explora les dades", + "Cache proxied request": "Petició proxy en memòria cau", "Cancel": "Cancel·la", + "Cancel edits": "Cancel·la les edicions", "Caption": "Llegenda", + "Center map on your location": "Centra el mapa a la vostra ubicació", + "Change map background": "Canvia el fons del mapa", "Change symbol": "Canvia el símbol", + "Change tilelayers": "Canvia les capes de tessel·les", + "Choose a preset": "Choose a preset", "Choose the data format": "Trieu el format de dades", + "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer of the feature": "Trieu la capa de la característica", + "Choose the layer to import in": "Trieu la capa que on voleu importar", "Circle": "Cercle", + "Click last point to finish shape": "Click last point to finish shape", + "Click to add a marker": "Feu clic per a afegir una marca", + "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": "Clona", + "Clone of {name}": "Clona de {name}", + "Clone this feature": "Clone this feature", + "Clone this map": "Clona aquest mapa", + "Close": "Tanca", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Coordenades", + "Credits": "Crèdits", + "Current view instead of default map view?": "Voleu la visualització actual en comptes de la visualització predeterminada?", + "Custom background": "Fons personalitzat", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Per defecte", + "Default interaction options": "Default interaction options", + "Default properties": "Propietats predeterminades", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Suprimeix", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Suprimeix aquesta característica", + "Delete this property on all the features": "Suprimeix aquesta propietat a totes les característiques", + "Delete this shape": "Delete this shape", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Direccions des d'aquí", + "Disable editing": "Inhabilita l'edició", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Mostrar en carregar", "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", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Voleu mostrar la barra de llegenda?", "Do you want to display a minimap?": "Voleu mostrar un minimapa?", "Do you want to display a panel on load?": "Voleu mostrar el quandre en carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Voleu mostrar un peu emergent?", "Do you want to display the scale control?": "Voleu mostrar el control d'escala?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Deixar", - "GeoRSS (only link)": "GeoRSS (només enllaç)", - "GeoRSS (title + image)": "GeoRSS (títol i imatge)", - "Heatmap": "Heatmap", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", - "Inherit": "Hereta", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Cap", - "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": "Estableix el símbol", - "Side panel": "Side panel", - "Simplify": "Simplify", - "Symbol or url": "Símbol o URL", - "Table": "Taula", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "color", - "dash array": "dash array", - "define": "define", - "description": "descripció", - "expanded": "expanded", - "fill": "emplena", - "fill color": "emplena el color", - "fill opacity": "opacitat d'emplenament", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "heretat", - "name": "nom", - "never": "never", - "new window": "new window", - "no": "no", - "on hover": "en passar per sobre", - "opacity": "opacitat", - "parent window": "parent window", - "stroke": "stroke", - "weight": "pes", - "yes": "sí", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## dos coixinets per a capçalera secundària", - "### three hashes for third heading": "### three hashes for third heading", - "**double star for bold**": "**doble asteric per a negreta**", - "*simple star for italic*": "*un asterisc per a cursiva*", - "--- for an horizontal rule": "--- per a una línia horitzontal", - "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": "Quant a", - "Action not allowed :(": "Acció no permesa :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Afegeix una capa", - "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": "Opcions avançades", - "Advanced properties": "Propietats avançades", - "Advanced transition": "Advanced transition", - "All properties are imported.": "S'han importat totes les propietats", - "Allow interactions": "Allow interactions", - "An error occured": "S'ha produït un error", - "Are you sure you want to cancel your changes?": "Esteu segur de voler cancel·lar els canvis?", - "Are you sure you want to clone this map and all its datalayers?": "Esteu segur de voler clonar aquest mapa i totes les capes de dades?", - "Are you sure you want to delete the feature?": "Segur que voleu suprimir la característica?", - "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?": "Esteu segur de voler suprimir aquest mapa?", - "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": "Adjunta el mapa al meu compte", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Bring feature to center", - "Browse data": "Explora les dades", - "Cancel edits": "Cancel·la les edicions", - "Center map on your location": "Centra el mapa a la vostra ubicació", - "Change map background": "Canvia el fons del mapa", - "Change tilelayers": "Canvia les capes de tessel·les", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Trieu el format de les dades a importar", - "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Feu clic per a afegir una marca", - "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": "Clona", - "Clone of {name}": "Clona de {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "Clona aquest mapa", - "Close": "Tanca", - "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": "Coordenades", - "Credits": "Crèdits", - "Current view instead of default map view?": "Voleu la visualització actual en comptes de la visualització predeterminada?", - "Custom background": "Fons personalitzat", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Propietats predeterminades", - "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": "Suprimeix", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Suprimeix aquesta característica", - "Delete this property on all the features": "Suprimeix aquesta propietat a totes les característiques", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Direccions des d'aquí", - "Disable editing": "Inhabilita l'edició", - "Display measure": "Display measure", - "Display on load": "Mostrar en carregar", "Download": "Baixa", "Download data": "Baixa les dades", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Dibuixa un marcador", "Draw a polygon": "Dibuixa un polígon", "Draw a polyline": "Dibuixa una polilínia", + "Drop": "Deixar", "Dynamic": "Dinàmic", "Dynamic properties": "Dynamic properties", "Edit": "Edita", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Incrusta el mapa", "Empty": "Buit", "Enable editing": "Habilita l'edició", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Hi ha un error en l'URL de la cap de tessel·les", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtre...", "Format": "Format", "From zoom": "Del zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (només enllaç)", + "GeoRSS (title + image)": "GeoRSS (títol i imatge)", "Go to «{feature}»": "Vés a «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Ajuda", "Hide controls": "Amaga els 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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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": "Opcions de l'exportació iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ 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?": "Voleu incloure l'enllaç a pantalla completa?", + "Inherit": "Hereta", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Merge lines", "More controls": "Més controls", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "Sense memòria cau", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Cap", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Obre el tauler de baixada", "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.": "Opcional.", "Optional. Same as color if not set.": "Opcional. El mateix color si no s'estableix.", "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Paste your data here": "Enganxeu les dades aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Assegureu-vos que la llicència és compatible amb l'ús que en feu.", "Please choose a format": "Please choose a format", "Please enter the name of the property": "Introduïu el nom de la propietat", "Please enter the new name of this property": "Introduïu el nom d'aquesta propietat", + "Please save the map first": "Abans deseu el mapa", + "Popup": "Finestra emergent", + "Popup (large)": "Finestra emergent (gran)", + "Popup content style": "Estil del contingut de la finestra emergent", + "Popup content template": "Popup content template", + "Popup shape": "Forma de la finestra emergent", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Hi ha un problema en la resposta", "Problem in the response format": "Hi ha un problema en el format de resposta", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "Mostra les capes de dades", "See full screen": "Mostra-ho a pantalla completa", + "Select data": "Select data", "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…", + "Set symbol": "Estableix el símbol", "Shape properties": "Shape properties", "Short URL": "URL curt", "Short credits": "Short credits", "Show/hide layer": "Mostra/amaga la capa", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Enllaç simple: [[http://exemple.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "S'està ometent el tipus de geometria desconegut: {type}", "Slideshow": "Presentació", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema suportat", "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.": "El símbol pot ser qualsevol caràcter Unicode o un URL. Podeu usar propietats de característiques com a variables. P. ex: amb \"http://myserver.org/images/{name}.png\", la variable {name} se substituirà amb el valor de \"name\" de cada marcador.", + "Symbol or url": "Símbol o URL", "TMS format": "Format TMS", + "Table": "Taula", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "A l'escala", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Qui pot editar", "Who can view": "Qui pot visualitzar", "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Fes zoom a aquesta característica", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "atribució", "by": "per", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "descripció", "display name": "mostra el nom", + "expanded": "expanded", + "fill": "emplena", + "fill color": "emplena el color", + "fill opacity": "opacitat d'emplenament", "height": "alçada", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "heretat", "licence": "llicència", "max East": "Est màxim", "max North": "Nord màxim", @@ -332,10 +355,21 @@ var locale = { "max West": "Oest màxim", "max zoom": "escala màxima", "min zoom": "escala mínima", + "name": "nom", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "en passar per sobre", + "opacity": "opacitat", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "pes", "width": "amplada", + "yes": "sí", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Mesura distàncies", "NM": "NM", "kilometers": "quilòmetres", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "milles", "nautical miles": "miles nàutiques", - "{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} milles", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Petició proxy en memòria cau", - "No cache": "Sense memòria cau", - "Popup": "Finestra emergent", - "Popup (large)": "Finestra emergent (gran)", - "Popup content style": "Estil del contingut de la finestra emergent", - "Popup shape": "Forma de la finestra emergent", - "Skipping unknown geometry.type: {type}": "S'està ometent el tipus de geometria desconegut: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Enganxeu les dades aquí", - "Please save the map first": "Abans deseu el mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milles", + "{distance} yd": "{distance} yd" }; L.registerLocale("ca", locale); L.setLocale("ca"); \ No newline at end of file diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 1b3b00ed..65e16082 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# one hash for main heading", + "## two hashes for second heading": "## dos coixinets per a capçalera secundària", + "### three hashes for third heading": "### three hashes for third heading", + "**double star for bold**": "**doble asteric per a negreta**", + "*simple star for italic*": "*un asterisc per a cursiva*", + "--- for an horizontal rule": "--- per a una línia horitzontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "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": "Quant a", + "Action not allowed :(": "Acció no permesa :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Afegeix una capa", + "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 symbol": "Afegeix un símbol", + "Advanced actions": "Opcions avançades", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propietats avançades", + "Advanced transition": "Advanced transition", + "All properties are imported.": "S'han importat totes les propietats", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Voleu permetre el zoom amb la roda de desplaçament?", + "An error occured": "S'ha produït un error", + "Are you sure you want to cancel your changes?": "Esteu segur de voler cancel·lar els canvis?", + "Are you sure you want to clone this map and all its datalayers?": "Esteu segur de voler clonar aquest mapa i totes les capes de dades?", + "Are you sure you want to delete the feature?": "Segur que voleu suprimir la característica?", + "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?": "Esteu segur de voler suprimir aquest mapa?", + "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": "Adjunta el mapa al meu compte", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Bring feature to center", + "Browse data": "Explora les dades", + "Cache proxied request": "Petició proxy en memòria cau", "Cancel": "Cancel·la", + "Cancel edits": "Cancel·la les edicions", "Caption": "Llegenda", + "Center map on your location": "Centra el mapa a la vostra ubicació", + "Change map background": "Canvia el fons del mapa", "Change symbol": "Canvia el símbol", + "Change tilelayers": "Canvia les capes de tessel·les", + "Choose a preset": "Choose a preset", "Choose the data format": "Trieu el format de dades", + "Choose the format of the data to import": "Trieu el format de les dades a importar", "Choose the layer of the feature": "Trieu la capa de la característica", + "Choose the layer to import in": "Trieu la capa que on voleu importar", "Circle": "Cercle", + "Click last point to finish shape": "Click last point to finish shape", + "Click to add a marker": "Feu clic per a afegir una marca", + "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": "Clona", + "Clone of {name}": "Clona de {name}", + "Clone this feature": "Clone this feature", + "Clone this map": "Clona aquest mapa", + "Close": "Tanca", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Coordenades", + "Credits": "Crèdits", + "Current view instead of default map view?": "Voleu la visualització actual en comptes de la visualització predeterminada?", + "Custom background": "Fons personalitzat", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Per defecte", + "Default interaction options": "Default interaction options", + "Default properties": "Propietats predeterminades", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Suprimeix", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Suprimeix aquesta característica", + "Delete this property on all the features": "Suprimeix aquesta propietat a totes les característiques", + "Delete this shape": "Delete this shape", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Direccions des d'aquí", + "Disable editing": "Inhabilita l'edició", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Mostrar en carregar", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Voleu mostrar la barra de llegenda?", "Do you want to display a minimap?": "Voleu mostrar un minimapa?", "Do you want to display a panel on load?": "Voleu mostrar el quandre en carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Voleu mostrar un peu emergent?", "Do you want to display the scale control?": "Voleu mostrar el control d'escala?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Deixar", - "GeoRSS (only link)": "GeoRSS (només enllaç)", - "GeoRSS (title + image)": "GeoRSS (títol i imatge)", - "Heatmap": "Heatmap", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", - "Inherit": "Hereta", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Cap", - "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": "Estableix el símbol", - "Side panel": "Side panel", - "Simplify": "Simplify", - "Symbol or url": "Símbol o URL", - "Table": "Taula", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "color", - "dash array": "dash array", - "define": "define", - "description": "descripció", - "expanded": "expanded", - "fill": "emplena", - "fill color": "emplena el color", - "fill opacity": "opacitat d'emplenament", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "heretat", - "name": "nom", - "never": "never", - "new window": "new window", - "no": "no", - "on hover": "en passar per sobre", - "opacity": "opacitat", - "parent window": "parent window", - "stroke": "stroke", - "weight": "pes", - "yes": "sí", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## dos coixinets per a capçalera secundària", - "### three hashes for third heading": "### three hashes for third heading", - "**double star for bold**": "**doble asteric per a negreta**", - "*simple star for italic*": "*un asterisc per a cursiva*", - "--- for an horizontal rule": "--- per a una línia horitzontal", - "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": "Quant a", - "Action not allowed :(": "Acció no permesa :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Afegeix una capa", - "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": "Opcions avançades", - "Advanced properties": "Propietats avançades", - "Advanced transition": "Advanced transition", - "All properties are imported.": "S'han importat totes les propietats", - "Allow interactions": "Allow interactions", - "An error occured": "S'ha produït un error", - "Are you sure you want to cancel your changes?": "Esteu segur de voler cancel·lar els canvis?", - "Are you sure you want to clone this map and all its datalayers?": "Esteu segur de voler clonar aquest mapa i totes les capes de dades?", - "Are you sure you want to delete the feature?": "Segur que voleu suprimir la característica?", - "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?": "Esteu segur de voler suprimir aquest mapa?", - "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": "Adjunta el mapa al meu compte", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Bring feature to center", - "Browse data": "Explora les dades", - "Cancel edits": "Cancel·la les edicions", - "Center map on your location": "Centra el mapa a la vostra ubicació", - "Change map background": "Canvia el fons del mapa", - "Change tilelayers": "Canvia les capes de tessel·les", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Trieu el format de les dades a importar", - "Choose the layer to import in": "Trieu la capa que on voleu importar", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Feu clic per a afegir una marca", - "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": "Clona", - "Clone of {name}": "Clona de {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "Clona aquest mapa", - "Close": "Tanca", - "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": "Coordenades", - "Credits": "Crèdits", - "Current view instead of default map view?": "Voleu la visualització actual en comptes de la visualització predeterminada?", - "Custom background": "Fons personalitzat", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Propietats predeterminades", - "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": "Suprimeix", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Suprimeix aquesta característica", - "Delete this property on all the features": "Suprimeix aquesta propietat a totes les característiques", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Direccions des d'aquí", - "Disable editing": "Inhabilita l'edició", - "Display measure": "Display measure", - "Display on load": "Mostrar en carregar", "Download": "Baixa", "Download data": "Baixa les dades", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Dibuixa un marcador", "Draw a polygon": "Dibuixa un polígon", "Draw a polyline": "Dibuixa una polilínia", + "Drop": "Deixar", "Dynamic": "Dinàmic", "Dynamic properties": "Dynamic properties", "Edit": "Edita", @@ -172,23 +139,31 @@ "Embed the map": "Incrusta el mapa", "Empty": "Buit", "Enable editing": "Habilita l'edició", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Hi ha un error en l'URL de la cap de tessel·les", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtre...", "Format": "Format", "From zoom": "Del zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (només enllaç)", + "GeoRSS (title + image)": "GeoRSS (títol i imatge)", "Go to «{feature}»": "Vés a «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Ajuda", "Hide controls": "Amaga els 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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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": "Opcions de l'exportació iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "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?": "Voleu incloure l'enllaç a pantalla completa?", + "Inherit": "Hereta", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "Merge lines": "Merge lines", "More controls": "Més controls", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "Sense memòria cau", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Cap", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Obre el tauler de baixada", "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.": "Opcional.", "Optional. Same as color if not set.": "Opcional. El mateix color si no s'estableix.", "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Paste your data here": "Enganxeu les dades aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Assegureu-vos que la llicència és compatible amb l'ús que en feu.", "Please choose a format": "Please choose a format", "Please enter the name of the property": "Introduïu el nom de la propietat", "Please enter the new name of this property": "Introduïu el nom d'aquesta propietat", + "Please save the map first": "Abans deseu el mapa", + "Popup": "Finestra emergent", + "Popup (large)": "Finestra emergent (gran)", + "Popup content style": "Estil del contingut de la finestra emergent", + "Popup content template": "Popup content template", + "Popup shape": "Forma de la finestra emergent", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Hi ha un problema en la resposta", "Problem in the response format": "Hi ha un problema en el format de resposta", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "Mostra les capes de dades", "See full screen": "Mostra-ho a pantalla completa", + "Select data": "Select data", "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…", + "Set symbol": "Estableix el símbol", "Shape properties": "Shape properties", "Short URL": "URL curt", "Short credits": "Short credits", "Show/hide layer": "Mostra/amaga la capa", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Enllaç simple: [[http://exemple.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "S'està ometent el tipus de geometria desconegut: {type}", "Slideshow": "Presentació", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema suportat", "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.": "El símbol pot ser qualsevol caràcter Unicode o un URL. Podeu usar propietats de característiques com a variables. P. ex: amb \"http://myserver.org/images/{name}.png\", la variable {name} se substituirà amb el valor de \"name\" de cada marcador.", + "Symbol or url": "Símbol o URL", "TMS format": "Format TMS", + "Table": "Taula", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "A l'escala", @@ -310,6 +318,7 @@ "Who can edit": "Qui pot editar", "Who can view": "Qui pot visualitzar", "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Fes zoom a aquesta característica", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "atribució", "by": "per", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "descripció", "display name": "mostra el nom", + "expanded": "expanded", + "fill": "emplena", + "fill color": "emplena el color", + "fill opacity": "opacitat d'emplenament", "height": "alçada", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "heretat", "licence": "llicència", "max East": "Est màxim", "max North": "Nord màxim", @@ -332,10 +355,21 @@ "max West": "Oest màxim", "max zoom": "escala màxima", "min zoom": "escala mínima", + "name": "nom", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "en passar per sobre", + "opacity": "opacitat", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "pes", "width": "amplada", + "yes": "sí", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Mesura distàncies", "NM": "NM", "kilometers": "quilòmetres", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "milles", "nautical miles": "miles nàutiques", - "{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} milles", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Petició proxy en memòria cau", - "No cache": "Sense memòria cau", - "Popup": "Finestra emergent", - "Popup (large)": "Finestra emergent (gran)", - "Popup content style": "Estil del contingut de la finestra emergent", - "Popup shape": "Forma de la finestra emergent", - "Skipping unknown geometry.type: {type}": "S'està ometent el tipus de geometria desconegut: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Enganxeu les dades aquí", - "Please save the map first": "Abans deseu el mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milles", + "{distance} yd": "{distance} yd" } \ 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 2261adee..8ae042f7 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedna mřížka pro hlavní nadpis", + "## two hashes for second heading": "## dvě mřížky pro nadpis druhé úrovně", + "### three hashes for third heading": "### podnadpis třetí úrovně", + "**double star for bold**": "**vše mezi dvěma hvězdičkami je tučně**", + "*simple star for italic*": "*vše mezi hvězdičkami bude kurzívou*", + "--- for an horizontal rule": "--- vytvoří vodorovnou linku", + "1 day": "1 den", + "1 hour": "1 hodina", + "5 min": "5 minut", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čárkami oddělený seznam čísel, který popisuje vzorek přerušované čáry. Např. «5, 10, 15».", + "About": "O mapě", + "Action not allowed :(": "Akce nepovolena :(", + "Activate slideshow mode": "Aktivovat prezentační mód", + "Add a layer": "Přidat vrstvu", + "Add a line to the current multi": "Přidat čáru k současnému multi", + "Add a new property": "Přidat novou vlastnost", + "Add a polygon to the current multi": "Přidat polygon k současnému multi", "Add symbol": "Přidat symbol", + "Advanced actions": "Pokročilé akce", + "Advanced filter keys": "Pokročilé filtry klíčů", + "Advanced properties": "Pokročilé vlastnosti", + "Advanced transition": "Pokročilá translace", + "All properties are imported.": "Všechny vlastnosti jsou importovány.", + "Allow interactions": "Povolit interakce", "Allow scroll wheel zoom?": "Povolit přibližování kolečkem myši?", + "An error occured": "Došlo k chybě", + "Are you sure you want to cancel your changes?": "Jste si jisti že chcete stornovat vaše úpravy?", + "Are you sure you want to clone this map and all its datalayers?": "Určitě chcete vytvořit kopii celé této mapy a všech jejich vrstev?", + "Are you sure you want to delete the feature?": "Určitě chcete vymazat tento objekt?", + "Are you sure you want to delete this layer?": "Jste si jisti, že chcete smazat tuto vrstvu?", + "Are you sure you want to delete this map?": "Jste si jisti, že chcete vymazat tuto celou mapu?", + "Are you sure you want to delete this property on all the features?": "Určitě chcete smazat tuto vlastnost na všech objektech?", + "Are you sure you want to restore this version?": "Opravdu si přejete obnovit tuto verzi?", + "Attach the map to my account": "Připojte mapu k mému účtu", + "Auto": "Automatická", "Automatic": "Automatic", + "Autostart when map is loaded": "Spustit po načtení mapy", + "Background overlay url": "Background overlay url", "Ball": "špendlík", + "Bring feature to center": "Centruj mapu na objektu", + "Browse data": "Prohlížet data", + "Cache proxied request": "Požadavek na zástupnou mezipaměť", "Cancel": "Storno", + "Cancel edits": "Stornovat úpravy", "Caption": "Popisek", + "Center map on your location": "Přemístit se na mapě na vaši polohu", + "Change map background": "Změnit pozadí mapy", "Change symbol": "Změnit symbol značky", + "Change tilelayers": "Změnit pozadí mapy", + "Choose a preset": "Zvolte přednastavení", "Choose the data format": "Vyberte formát dat", + "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer of the feature": "Zvolte vrstvu do které objekt patří", + "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Circle": "Kruh", + "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", + "Click to add a marker": "Kliknutím přidáš značku", + "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", + "Click to edit": "Klikněte pro úpravy", + "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", + "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", + "Clone": "Klonovat", + "Clone of {name}": "Klon objektu {name}", + "Clone this feature": "Vytvoř vlastní kopii této vlastnosti", + "Clone this map": "Vytvořit vlastní kopii této mapy", + "Close": "Zavřít", "Clustered": "Shluková", + "Clustering radius": "Poloměr shlukování", + "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", + "Comma separated list of properties to use when filtering features": "Čárkami oddělený seznam vlastností pro filtrování 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.": "Hodnoty oddělené čárkou, tabulátorem, nebo středníkem. předpokládá se SRS WGS84 a jsou importovány jen polohy bodů. Import hledá záhlaví sloupců začínající na \"lat\" nebo \"lon\" a ty považuje za souřadnice (na velikosti písmen nesejde). Ostatní sloupce jsou importovány jako vlastnosti.", + "Continue line": "Pokračovat v čáře", + "Continue line (Ctrl+Click)": "Pokračovat v čáře (Ctrl+Klik)", + "Coordinates": "Souřadnice", + "Credits": "Autorství", + "Current view instead of default map view?": "Současný pohled namísto výchozího?", + "Custom background": "Vlastní pozadí", + "Custom overlay": "Custom overlay", "Data browser": "Prohlížeč dat", + "Data filters": "Filtry dat", + "Data is browsable": "Data se dají procházet", "Default": "Výchozí", + "Default interaction options": "Výchozí možnosti interakce", + "Default properties": "Výchozí vlastnosti", + "Default shape properties": "Výchozí nastavení tvaru", "Default zoom level": "Výchozí přiblížení", "Default: name": "Výchozí: name (název objektu)", + "Define link to open in a new window on polygon click.": "Definice odkazu, který se otevře v novém okně po kliknutí na polygon.", + "Delay between two transitions when in play mode": "Zpoždění mezi dvěma předěly v přehrávacím módu", + "Delete": "Vymazat", + "Delete all layers": "Vymazat všechny vrstvy", + "Delete layer": "Vymazat vrstvu", + "Delete this feature": "Vymazat objekt", + "Delete this property on all the features": "Smazat tuto vlastnost na všech objektech", + "Delete this shape": "Smazat tento tvar", + "Delete this vertex (Alt+Click)": "Smazat tento bod (Alt+Klik)", + "Directions from here": "Navigovat odsud", + "Disable editing": "Zakázat úpravy", "Display label": "Zobrazit popisek", + "Display measure": "Zobrazit měřítko", + "Display on load": "Zobrazit při startu", "Display the control to open OpenStreetMap editor": "Zobrazit možnost upravit mapu v OpenStreetMap editoru", "Display the data layers control": "Zobrazit tlačítko nastavení datových vrstev", "Display the embed control": "Zobrazit tlačítko pro sdílení mapy", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Chcete zobrazit panel s popiskem?", "Do you want to display a minimap?": "Chcete zobrazit minimapu?", "Do you want to display a panel on load?": "Chcete při načtení zobrazit panel?", + "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", "Do you want to display popup footer?": "Chcete v bublině zobrazit navigační panel?", "Do you want to display the scale control?": "Chcete zobrazit měřítko mapy?", "Do you want to display the «more» control?": "Přejete si zobrazovat ovládací prvek «více»?", - "Drop": "Pustit", - "GeoRSS (only link)": "GeoRSS (jen odkaz)", - "GeoRSS (title + image)": "GeoRSS (titulek + obrázek)", - "Heatmap": "Teplotní mapa", - "Icon shape": "Tvar ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "výchozí", - "Label direction": "Směr popisku", - "Label key": "Tlačítko popisku", - "Labels are clickable": "Popisky jsou klikatelné", - "None": "Žádný", - "On the bottom": "Zespod", - "On the left": "Nalevo", - "On the right": "Napravo", - "On the top": "Shora", - "Popup content template": "Šablona obsahu bubliny", - "Set symbol": "Nastavit symbol", - "Side panel": "Boční panel", - "Simplify": "Zjednodušit", - "Symbol or url": "Symbol nebo adresa URL", - "Table": "Tabulka", - "always": "vždy", - "clear": "vymazat", - "collapsed": "sbalené", - "color": "barva", - "dash array": "styl přerušované čáry", - "define": "definovat", - "description": "popis", - "expanded": "rozbalené", - "fill": "výplň", - "fill color": "barva výplně", - "fill opacity": "průhlednost výplně", - "hidden": "skryté", - "iframe": "iframe", - "inherit": "výchozí", - "name": "název", - "never": "nikdy", - "new window": "nové okno", - "no": "ne", - "on hover": "při přejetí myší", - "opacity": "průhlednost", - "parent window": "rodičovské okno", - "stroke": "linka", - "weight": "šířka linky", - "yes": "ano", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# jedna mřížka pro hlavní nadpis", - "## two hashes for second heading": "## dvě mřížky pro nadpis druhé úrovně", - "### three hashes for third heading": "### podnadpis třetí úrovně", - "**double star for bold**": "**vše mezi dvěma hvězdičkami je tučně**", - "*simple star for italic*": "*vše mezi hvězdičkami bude kurzívou*", - "--- for an horizontal rule": "--- vytvoří vodorovnou linku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čárkami oddělený seznam čísel, který popisuje vzorek přerušované čáry. Např. «5, 10, 15».", - "About": "O mapě", - "Action not allowed :(": "Akce nepovolena :(", - "Activate slideshow mode": "Aktivovat prezentační mód", - "Add a layer": "Přidat vrstvu", - "Add a line to the current multi": "Přidat čáru k současnému multi", - "Add a new property": "Přidat novou vlastnost", - "Add a polygon to the current multi": "Přidat polygon k současnému multi", - "Advanced actions": "Pokročilé akce", - "Advanced properties": "Pokročilé vlastnosti", - "Advanced transition": "Pokročilá translace", - "All properties are imported.": "Všechny vlastnosti jsou importovány.", - "Allow interactions": "Povolit interakce", - "An error occured": "Došlo k chybě", - "Are you sure you want to cancel your changes?": "Jste si jisti že chcete stornovat vaše úpravy?", - "Are you sure you want to clone this map and all its datalayers?": "Určitě chcete vytvořit kopii celé této mapy a všech jejich vrstev?", - "Are you sure you want to delete the feature?": "Určitě chcete vymazat tento objekt?", - "Are you sure you want to delete this layer?": "Jste si jisti, že chcete smazat tuto vrstvu?", - "Are you sure you want to delete this map?": "Jste si jisti, že chcete vymazat tuto celou mapu?", - "Are you sure you want to delete this property on all the features?": "Určitě chcete smazat tuto vlastnost na všech objektech?", - "Are you sure you want to restore this version?": "Opravdu si přejete obnovit tuto verzi?", - "Attach the map to my account": "Připojte mapu k mému účtu", - "Auto": "Automatická", - "Autostart when map is loaded": "Spustit po načtení mapy", - "Bring feature to center": "Centruj mapu na objektu", - "Browse data": "Prohlížet data", - "Cancel edits": "Stornovat úpravy", - "Center map on your location": "Přemístit se na mapě na vaši polohu", - "Change map background": "Změnit pozadí mapy", - "Change tilelayers": "Změnit pozadí mapy", - "Choose a preset": "Zvolte přednastavení", - "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", - "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", - "Click to edit": "Klikněte pro úpravy", - "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", - "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", - "Clone": "Klonovat", - "Clone of {name}": "Klon objektu {name}", - "Clone this feature": "Vytvoř vlastní kopii této vlastnosti", - "Clone this map": "Vytvořit vlastní kopii této mapy", - "Close": "Zavřít", - "Clustering radius": "Poloměr shlukování", - "Comma separated list of properties to use when filtering features": "Čárkami oddělený seznam vlastností pro filtrování 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.": "Hodnoty oddělené čárkou, tabulátorem, nebo středníkem. předpokládá se SRS WGS84 a jsou importovány jen polohy bodů. Import hledá záhlaví sloupců začínající na \"lat\" nebo \"lon\" a ty považuje za souřadnice (na velikosti písmen nesejde). Ostatní sloupce jsou importovány jako vlastnosti.", - "Continue line": "Pokračovat v čáře", - "Continue line (Ctrl+Click)": "Pokračovat v čáře (Ctrl+Klik)", - "Coordinates": "Souřadnice", - "Credits": "Autorství", - "Current view instead of default map view?": "Současný pohled namísto výchozího?", - "Custom background": "Vlastní pozadí", - "Data is browsable": "Data se dají procházet", - "Default interaction options": "Výchozí možnosti interakce", - "Default properties": "Výchozí vlastnosti", - "Default shape properties": "Výchozí nastavení tvaru", - "Define link to open in a new window on polygon click.": "Definice odkazu, který se otevře v novém okně po kliknutí na polygon.", - "Delay between two transitions when in play mode": "Zpoždění mezi dvěma předěly v přehrávacím módu", - "Delete": "Vymazat", - "Delete all layers": "Vymazat všechny vrstvy", - "Delete layer": "Vymazat vrstvu", - "Delete this feature": "Vymazat objekt", - "Delete this property on all the features": "Smazat tuto vlastnost na všech objektech", - "Delete this shape": "Smazat tento tvar", - "Delete this vertex (Alt+Click)": "Smazat tento bod (Alt+Klik)", - "Directions from here": "Navigovat odsud", - "Disable editing": "Zakázat úpravy", - "Display measure": "Zobrazit měřítko", - "Display on load": "Zobrazit při startu", "Download": "Stažení", "Download data": "Stáhnout data", "Drag to reorder": "Přetáhni pro přeskupení", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Umístit značku místa", "Draw a polygon": "Vyznačit oblast", "Draw a polyline": "Nakreslit čáru", + "Drop": "Pustit", "Dynamic": "Dynamicky", "Dynamic properties": "Dynamické vlastnosti", "Edit": "Upravit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Vložit mapu do jiného webu", "Empty": "Vyprázdnit", "Enable editing": "Povolit úpravy", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Chyba v URL vrstvy dlaždic", "Error while fetching {url}": "Chyba při načítání {url}", + "Example: key1,key2,key3": "Příklad: key1,key2,key3", "Exit Fullscreen": "Ukončit režim celé obrazovky", "Extract shape to separate feature": "Vyjmout tvar do samostatného objektu", + "Feature identifier key": "Identifikační klíč funkce", "Fetch data each time map view changes.": "Získat data při každé změně zobrazení mapy.", "Filter keys": "Filtrovací klávesy", "Filter…": "Filtr ...", "Format": "Formát", "From zoom": "Maximální oddálení", "Full map data": "Kompletní mapová data", + "GeoRSS (only link)": "GeoRSS (jen odkaz)", + "GeoRSS (title + image)": "GeoRSS (titulek + obrázek)", "Go to «{feature}»": "Jdi na \"{feature}\"", + "Heatmap": "Teplotní mapa", "Heatmap intensity property": "Vlastnost pro intenzitu teplotní mapy", "Heatmap radius": "Poloměr teplotní mapy", "Help": "Nápověda", "Hide controls": "Skrýt ovládací prvky", "Home": "Domů", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Jak moc zahlazovat a zjednodušovat při oddálení (větší = rychlejší odezva a plynulejší vzhled, menší = přesnější)", + "Icon shape": "Tvar ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Pokud je vypnuto, polygon se bude chovat jako součást mapového podkladu.", "Iframe export options": "Možnosti exportu pro iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe s vlastní výškou (v px): {{{http://iframe.url.com|výška}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importovat do nové vrstvy", "Imports all umap data, including layers and settings.": "Importuje všechy data umapy, včetně vrstev a nastavení", "Include full screen link?": "Zahrnout odkaz na celou obrazovku?", + "Inherit": "výchozí", "Interaction options": "Možnosti interakce", + "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", "Invalid umap data": "Neplatná data umapy", "Invalid umap data in {filename}": "Neplatná data umapy v souboru {filename}", + "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", "Keep current visible layers": "Použít aktuální zobrazení vrstev", + "Label direction": "Směr popisku", + "Label key": "Tlačítko popisku", + "Labels are clickable": "Popisky jsou klikatelné", "Latitude": "Sev. šířka", "Layer": "Vrstva", "Layer properties": "Vlastnosti vrstvy", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Spojit čáry", "More controls": "Více ovládacích prvků", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Platný název v CSS (např.: Red, Blue nebo #123456)", + "No cache": "Žádná mezipaměť", "No licence has been set": "Nebyla nastavena licence", "No results": "Žádné výsledky", + "No results for these filters": "Žádné výsledky pro tyto filtry", + "None": "Žádný", + "On the bottom": "Zespod", + "On the left": "Nalevo", + "On the right": "Napravo", + "On the top": "Shora", "Only visible features will be downloaded.": "Budou staženy jen viditelné objekty", + "Open current feature on load": "Otevřít současnou funkci při zatížení", "Open download panel": "Otevřít panel na stahování", "Open link in…": "Otevřít adresu v…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otevři tuto oblast v editoru OpenStreetMap. Toto vám umožní editovat přímo základní mapová data a přispět tak v tvorbě svobodné mapy pro všechny.", "Optional intensity property for heatmap": "Volitelná vlastnost pro výpočet intenzity v teplotní mapě", + "Optional.": "Volitelné.", "Optional. Same as color if not set.": "Nepovinné. Stejné jako barva, pokud není nastaveno.", "Override clustering radius (default 80)": "Přepsat shlukovací poloměr (výchozí hodnota 80)", "Override heatmap radius (default 25)": "Přepsat poloměr teplotní mapy (výchozí hodnota 25)", + "Paste your data here": "Zde vložte svá data", + "Permalink": "Trvalý odkaz", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prosíme ujistěte se, že licence je ve shodě s tím jak mapu používáte.", "Please choose a format": "Zvolte formát", "Please enter the name of the property": "Zadejte prosím název vlastnosti", "Please enter the new name of this property": "Zadejte prosím nový název této vlastnosti", + "Please save the map first": "Prosím, nejprve uložte mapu", + "Popup": "Popup", + "Popup (large)": "Popup (velký)", + "Popup content style": "Styl obsahu popupu", + "Popup content template": "Šablona obsahu bubliny", + "Popup shape": "Tvar popupu", "Powered by Leaflet and Django, glued by uMap project.": "Sestaveno z Leaflet a Django, propojených pomocí projektu uMap.", "Problem in the response": "Problém při odpovědi", "Problem in the response format": "Problém ve formátu odpovědi", @@ -262,12 +262,17 @@ var locale = { "See all": "Zobraz vše", "See data layers": "Zobrazit datové vrstvy", "See full screen": "Na celou obrazovku", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Nastavte na false pro ukrytí této vrstvy z prezentace, prohlížeče dat, vyskakovací navigace...", + "Set symbol": "Nastavit symbol", "Shape properties": "Vlastností tvaru", "Short URL": "Krátký odkaz", "Short credits": "Krátký text autorství", "Show/hide layer": "Skrytí/zobrazení vrstvy", + "Side panel": "Boční panel", "Simple link: [[http://example.com]]": "Jednoduchý odkaz: [[http://priklad.cz]]", + "Simplify": "Zjednodušit", + "Skipping unknown geometry.type: {type}": "Přeskakuji neznámý geometry.type: {type}", "Slideshow": "Prezentace", "Smart transitions": "Chytré přechody", "Sort key": "Řadící klávesa", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Podporované schéma", "Supported variables that will be dynamically replaced": "Podporované proměnné, které budou automaticky nahrazeny", "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 může mít buď znak unicode nebo URL. Vlastnosti můžete použít jako proměnné: např. Pomocí \"http://myserver.org/images/{name}.png\" bude proměnná {name} nahrazena hodnotou \"name\" každé značky.", + "Symbol or url": "Symbol nebo adresa URL", "TMS format": "formát TMS", + "Table": "Tabulka", "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 name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", "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í", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Kdo může upravit", "Who can view": "Kdo může zobrazit", "Will be displayed in the bottom right corner of the map": "Bude zobrazeno s mapou napravo dole", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bude zobrazeno v popisu mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ojoj! Někdo jiný mezitím také upravil data. Můžete je uložit bez ohledu na to, ale smažete tak jeho změny.", "You have unsaved changes.": "Máte neuložené změny.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Skočit na předchozí", "Zoom to this feature": "Přiblížit na tento objekt", "Zoom to this place": "Přiblížit na toto místo", + "always": "vždy", "attribution": "autorství", "by": "od", + "clear": "vymazat", + "collapsed": "sbalené", + "color": "barva", + "dash array": "styl přerušované čáry", + "define": "definovat", + "description": "popis", "display name": "zobrazit název", + "expanded": "rozbalené", + "fill": "výplň", + "fill color": "barva výplně", + "fill opacity": "průhlednost výplně", "height": "výška", + "hidden": "skryté", + "iframe": "iframe", + "inherit": "výchozí", "licence": "licence", "max East": "maximálně na Východ", "max North": "maximálně na Sever", @@ -332,10 +355,21 @@ var locale = { "max West": "maximálně na Západ", "max zoom": "maximální přiblížení", "min zoom": "maximální oddálení", + "name": "název", + "never": "nikdy", + "new window": "nové okno", "next": "další", + "no": "ne", + "on hover": "při přejetí myší", + "opacity": "průhlednost", + "parent window": "rodičovské okno", "previous": "předchozí", + "stroke": "linka", + "weight": "šířka linky", "width": "šířka", + "yes": "ano", "{count} errors during import: {message}": "{count} chyb při importu: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Měření vzdáleností", "NM": "NM", "kilometers": "kilometry", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "míle", "nautical miles": "námořní míle", - "{area} acres": "{area} akry", - "{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} míle", - "{distance} yd": "{distance} yd", - "1 day": "1 den", - "1 hour": "1 hodina", - "5 min": "5 minut", - "Cache proxied request": "Požadavek na zástupnou mezipaměť", - "No cache": "Žádná mezipaměť", - "Popup": "Popup", - "Popup (large)": "Popup (velký)", - "Popup content style": "Styl obsahu popupu", - "Popup shape": "Tvar popupu", - "Skipping unknown geometry.type: {type}": "Přeskakuji neznámý geometry.type: {type}", - "Optional.": "Volitelné.", - "Paste your data here": "Zde vložte svá data", - "Please save the map first": "Prosím, nejprve uložte mapu", - "Feature identifier key": "Identifikační klíč funkce", - "Open current feature on load": "Otevřít současnou funkci při zatížení", - "Permalink": "Trvalý odkaz", - "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", - "Advanced filter keys": "Pokročilé filtry klíčů", - "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", - "Data filters": "Filtry dat", - "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", - "Example: key1,key2,key3": "Příklad: key1,key2,key3", - "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", - "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", - "No results for these filters": "Žádné výsledky pro tyto filtry", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} akry", + "{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} míle", + "{distance} yd": "{distance} yd" }; L.registerLocale("cs_CZ", locale); L.setLocale("cs_CZ"); \ No newline at end of file diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index 3fe77f9e..9b9a2730 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedna mřížka pro hlavní nadpis", + "## two hashes for second heading": "## dvě mřížky pro nadpis druhé úrovně", + "### three hashes for third heading": "### podnadpis třetí úrovně", + "**double star for bold**": "**vše mezi dvěma hvězdičkami je tučně**", + "*simple star for italic*": "*vše mezi hvězdičkami bude kurzívou*", + "--- for an horizontal rule": "--- vytvoří vodorovnou linku", + "1 day": "1 den", + "1 hour": "1 hodina", + "5 min": "5 minut", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čárkami oddělený seznam čísel, který popisuje vzorek přerušované čáry. Např. «5, 10, 15».", + "About": "O mapě", + "Action not allowed :(": "Akce nepovolena :(", + "Activate slideshow mode": "Aktivovat prezentační mód", + "Add a layer": "Přidat vrstvu", + "Add a line to the current multi": "Přidat čáru k současnému multi", + "Add a new property": "Přidat novou vlastnost", + "Add a polygon to the current multi": "Přidat polygon k současnému multi", "Add symbol": "Přidat symbol", + "Advanced actions": "Pokročilé akce", + "Advanced filter keys": "Pokročilé filtry klíčů", + "Advanced properties": "Pokročilé vlastnosti", + "Advanced transition": "Pokročilá translace", + "All properties are imported.": "Všechny vlastnosti jsou importovány.", + "Allow interactions": "Povolit interakce", "Allow scroll wheel zoom?": "Povolit přibližování kolečkem myši?", + "An error occured": "Došlo k chybě", + "Are you sure you want to cancel your changes?": "Jste si jisti že chcete stornovat vaše úpravy?", + "Are you sure you want to clone this map and all its datalayers?": "Určitě chcete vytvořit kopii celé této mapy a všech jejich vrstev?", + "Are you sure you want to delete the feature?": "Určitě chcete vymazat tento objekt?", + "Are you sure you want to delete this layer?": "Jste si jisti, že chcete smazat tuto vrstvu?", + "Are you sure you want to delete this map?": "Jste si jisti, že chcete vymazat tuto celou mapu?", + "Are you sure you want to delete this property on all the features?": "Určitě chcete smazat tuto vlastnost na všech objektech?", + "Are you sure you want to restore this version?": "Opravdu si přejete obnovit tuto verzi?", + "Attach the map to my account": "Připojte mapu k mému účtu", + "Auto": "Automatická", "Automatic": "Automatic", + "Autostart when map is loaded": "Spustit po načtení mapy", + "Background overlay url": "Background overlay url", "Ball": "špendlík", + "Bring feature to center": "Centruj mapu na objektu", + "Browse data": "Prohlížet data", + "Cache proxied request": "Požadavek na zástupnou mezipaměť", "Cancel": "Storno", + "Cancel edits": "Stornovat úpravy", "Caption": "Popisek", + "Center map on your location": "Přemístit se na mapě na vaši polohu", + "Change map background": "Změnit pozadí mapy", "Change symbol": "Změnit symbol značky", + "Change tilelayers": "Změnit pozadí mapy", + "Choose a preset": "Zvolte přednastavení", "Choose the data format": "Vyberte formát dat", + "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", "Choose the layer of the feature": "Zvolte vrstvu do které objekt patří", + "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", "Circle": "Kruh", + "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", + "Click to add a marker": "Kliknutím přidáš značku", + "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", + "Click to edit": "Klikněte pro úpravy", + "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", + "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", + "Clone": "Klonovat", + "Clone of {name}": "Klon objektu {name}", + "Clone this feature": "Vytvoř vlastní kopii této vlastnosti", + "Clone this map": "Vytvořit vlastní kopii této mapy", + "Close": "Zavřít", "Clustered": "Shluková", + "Clustering radius": "Poloměr shlukování", + "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", + "Comma separated list of properties to use when filtering features": "Čárkami oddělený seznam vlastností pro filtrování 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.": "Hodnoty oddělené čárkou, tabulátorem, nebo středníkem. předpokládá se SRS WGS84 a jsou importovány jen polohy bodů. Import hledá záhlaví sloupců začínající na \"lat\" nebo \"lon\" a ty považuje za souřadnice (na velikosti písmen nesejde). Ostatní sloupce jsou importovány jako vlastnosti.", + "Continue line": "Pokračovat v čáře", + "Continue line (Ctrl+Click)": "Pokračovat v čáře (Ctrl+Klik)", + "Coordinates": "Souřadnice", + "Credits": "Autorství", + "Current view instead of default map view?": "Současný pohled namísto výchozího?", + "Custom background": "Vlastní pozadí", + "Custom overlay": "Custom overlay", "Data browser": "Prohlížeč dat", + "Data filters": "Filtry dat", + "Data is browsable": "Data se dají procházet", "Default": "Výchozí", + "Default interaction options": "Výchozí možnosti interakce", + "Default properties": "Výchozí vlastnosti", + "Default shape properties": "Výchozí nastavení tvaru", "Default zoom level": "Výchozí přiblížení", "Default: name": "Výchozí: name (název objektu)", + "Define link to open in a new window on polygon click.": "Definice odkazu, který se otevře v novém okně po kliknutí na polygon.", + "Delay between two transitions when in play mode": "Zpoždění mezi dvěma předěly v přehrávacím módu", + "Delete": "Vymazat", + "Delete all layers": "Vymazat všechny vrstvy", + "Delete layer": "Vymazat vrstvu", + "Delete this feature": "Vymazat objekt", + "Delete this property on all the features": "Smazat tuto vlastnost na všech objektech", + "Delete this shape": "Smazat tento tvar", + "Delete this vertex (Alt+Click)": "Smazat tento bod (Alt+Klik)", + "Directions from here": "Navigovat odsud", + "Disable editing": "Zakázat úpravy", "Display label": "Zobrazit popisek", + "Display measure": "Zobrazit měřítko", + "Display on load": "Zobrazit při startu", "Display the control to open OpenStreetMap editor": "Zobrazit možnost upravit mapu v OpenStreetMap editoru", "Display the data layers control": "Zobrazit tlačítko nastavení datových vrstev", "Display the embed control": "Zobrazit tlačítko pro sdílení mapy", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Chcete zobrazit panel s popiskem?", "Do you want to display a minimap?": "Chcete zobrazit minimapu?", "Do you want to display a panel on load?": "Chcete při načtení zobrazit panel?", + "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", "Do you want to display popup footer?": "Chcete v bublině zobrazit navigační panel?", "Do you want to display the scale control?": "Chcete zobrazit měřítko mapy?", "Do you want to display the «more» control?": "Přejete si zobrazovat ovládací prvek «více»?", - "Drop": "Pustit", - "GeoRSS (only link)": "GeoRSS (jen odkaz)", - "GeoRSS (title + image)": "GeoRSS (titulek + obrázek)", - "Heatmap": "Teplotní mapa", - "Icon shape": "Tvar ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "výchozí", - "Label direction": "Směr popisku", - "Label key": "Tlačítko popisku", - "Labels are clickable": "Popisky jsou klikatelné", - "None": "Žádný", - "On the bottom": "Zespod", - "On the left": "Nalevo", - "On the right": "Napravo", - "On the top": "Shora", - "Popup content template": "Šablona obsahu bubliny", - "Set symbol": "Nastavit symbol", - "Side panel": "Boční panel", - "Simplify": "Zjednodušit", - "Symbol or url": "Symbol nebo adresa URL", - "Table": "Tabulka", - "always": "vždy", - "clear": "vymazat", - "collapsed": "sbalené", - "color": "barva", - "dash array": "styl přerušované čáry", - "define": "definovat", - "description": "popis", - "expanded": "rozbalené", - "fill": "výplň", - "fill color": "barva výplně", - "fill opacity": "průhlednost výplně", - "hidden": "skryté", - "iframe": "iframe", - "inherit": "výchozí", - "name": "název", - "never": "nikdy", - "new window": "nové okno", - "no": "ne", - "on hover": "při přejetí myší", - "opacity": "průhlednost", - "parent window": "rodičovské okno", - "stroke": "linka", - "weight": "šířka linky", - "yes": "ano", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# jedna mřížka pro hlavní nadpis", - "## two hashes for second heading": "## dvě mřížky pro nadpis druhé úrovně", - "### three hashes for third heading": "### podnadpis třetí úrovně", - "**double star for bold**": "**vše mezi dvěma hvězdičkami je tučně**", - "*simple star for italic*": "*vše mezi hvězdičkami bude kurzívou*", - "--- for an horizontal rule": "--- vytvoří vodorovnou linku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čárkami oddělený seznam čísel, který popisuje vzorek přerušované čáry. Např. «5, 10, 15».", - "About": "O mapě", - "Action not allowed :(": "Akce nepovolena :(", - "Activate slideshow mode": "Aktivovat prezentační mód", - "Add a layer": "Přidat vrstvu", - "Add a line to the current multi": "Přidat čáru k současnému multi", - "Add a new property": "Přidat novou vlastnost", - "Add a polygon to the current multi": "Přidat polygon k současnému multi", - "Advanced actions": "Pokročilé akce", - "Advanced properties": "Pokročilé vlastnosti", - "Advanced transition": "Pokročilá translace", - "All properties are imported.": "Všechny vlastnosti jsou importovány.", - "Allow interactions": "Povolit interakce", - "An error occured": "Došlo k chybě", - "Are you sure you want to cancel your changes?": "Jste si jisti že chcete stornovat vaše úpravy?", - "Are you sure you want to clone this map and all its datalayers?": "Určitě chcete vytvořit kopii celé této mapy a všech jejich vrstev?", - "Are you sure you want to delete the feature?": "Určitě chcete vymazat tento objekt?", - "Are you sure you want to delete this layer?": "Jste si jisti, že chcete smazat tuto vrstvu?", - "Are you sure you want to delete this map?": "Jste si jisti, že chcete vymazat tuto celou mapu?", - "Are you sure you want to delete this property on all the features?": "Určitě chcete smazat tuto vlastnost na všech objektech?", - "Are you sure you want to restore this version?": "Opravdu si přejete obnovit tuto verzi?", - "Attach the map to my account": "Připojte mapu k mému účtu", - "Auto": "Automatická", - "Autostart when map is loaded": "Spustit po načtení mapy", - "Bring feature to center": "Centruj mapu na objektu", - "Browse data": "Prohlížet data", - "Cancel edits": "Stornovat úpravy", - "Center map on your location": "Přemístit se na mapě na vaši polohu", - "Change map background": "Změnit pozadí mapy", - "Change tilelayers": "Změnit pozadí mapy", - "Choose a preset": "Zvolte přednastavení", - "Choose the format of the data to import": "Zvolte v jakém formátu jsou importovaná data", - "Choose the layer to import in": "Zvolte vrstvu, do které se bude importovat", - "Click last point to finish shape": "Klikněte na poslední bod pro dokončení tvaru", - "Click to add a marker": "Kliknutím přidáš značku", - "Click to continue drawing": "Kliknutím můžeš pokračovat v kreslení", - "Click to edit": "Klikněte pro úpravy", - "Click to start drawing a line": "Klikněte pro začátek kreslení čáry", - "Click to start drawing a polygon": "Klikněte pro začátek kreslení polygonu", - "Clone": "Klonovat", - "Clone of {name}": "Klon objektu {name}", - "Clone this feature": "Vytvoř vlastní kopii této vlastnosti", - "Clone this map": "Vytvořit vlastní kopii této mapy", - "Close": "Zavřít", - "Clustering radius": "Poloměr shlukování", - "Comma separated list of properties to use when filtering features": "Čárkami oddělený seznam vlastností pro filtrování 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.": "Hodnoty oddělené čárkou, tabulátorem, nebo středníkem. předpokládá se SRS WGS84 a jsou importovány jen polohy bodů. Import hledá záhlaví sloupců začínající na \"lat\" nebo \"lon\" a ty považuje za souřadnice (na velikosti písmen nesejde). Ostatní sloupce jsou importovány jako vlastnosti.", - "Continue line": "Pokračovat v čáře", - "Continue line (Ctrl+Click)": "Pokračovat v čáře (Ctrl+Klik)", - "Coordinates": "Souřadnice", - "Credits": "Autorství", - "Current view instead of default map view?": "Současný pohled namísto výchozího?", - "Custom background": "Vlastní pozadí", - "Data is browsable": "Data se dají procházet", - "Default interaction options": "Výchozí možnosti interakce", - "Default properties": "Výchozí vlastnosti", - "Default shape properties": "Výchozí nastavení tvaru", - "Define link to open in a new window on polygon click.": "Definice odkazu, který se otevře v novém okně po kliknutí na polygon.", - "Delay between two transitions when in play mode": "Zpoždění mezi dvěma předěly v přehrávacím módu", - "Delete": "Vymazat", - "Delete all layers": "Vymazat všechny vrstvy", - "Delete layer": "Vymazat vrstvu", - "Delete this feature": "Vymazat objekt", - "Delete this property on all the features": "Smazat tuto vlastnost na všech objektech", - "Delete this shape": "Smazat tento tvar", - "Delete this vertex (Alt+Click)": "Smazat tento bod (Alt+Klik)", - "Directions from here": "Navigovat odsud", - "Disable editing": "Zakázat úpravy", - "Display measure": "Zobrazit měřítko", - "Display on load": "Zobrazit při startu", "Download": "Stažení", "Download data": "Stáhnout data", "Drag to reorder": "Přetáhni pro přeskupení", @@ -159,6 +125,7 @@ "Draw a marker": "Umístit značku místa", "Draw a polygon": "Vyznačit oblast", "Draw a polyline": "Nakreslit čáru", + "Drop": "Pustit", "Dynamic": "Dynamicky", "Dynamic properties": "Dynamické vlastnosti", "Edit": "Upravit", @@ -172,23 +139,31 @@ "Embed the map": "Vložit mapu do jiného webu", "Empty": "Vyprázdnit", "Enable editing": "Povolit úpravy", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Chyba v URL vrstvy dlaždic", "Error while fetching {url}": "Chyba při načítání {url}", + "Example: key1,key2,key3": "Příklad: key1,key2,key3", "Exit Fullscreen": "Ukončit režim celé obrazovky", "Extract shape to separate feature": "Vyjmout tvar do samostatného objektu", + "Feature identifier key": "Identifikační klíč funkce", "Fetch data each time map view changes.": "Získat data při každé změně zobrazení mapy.", "Filter keys": "Filtrovací klávesy", "Filter…": "Filtr ...", "Format": "Formát", "From zoom": "Maximální oddálení", "Full map data": "Kompletní mapová data", + "GeoRSS (only link)": "GeoRSS (jen odkaz)", + "GeoRSS (title + image)": "GeoRSS (titulek + obrázek)", "Go to «{feature}»": "Jdi na \"{feature}\"", + "Heatmap": "Teplotní mapa", "Heatmap intensity property": "Vlastnost pro intenzitu teplotní mapy", "Heatmap radius": "Poloměr teplotní mapy", "Help": "Nápověda", "Hide controls": "Skrýt ovládací prvky", "Home": "Domů", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Jak moc zahlazovat a zjednodušovat při oddálení (větší = rychlejší odezva a plynulejší vzhled, menší = přesnější)", + "Icon shape": "Tvar ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Pokud je vypnuto, polygon se bude chovat jako součást mapového podkladu.", "Iframe export options": "Možnosti exportu pro iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe s vlastní výškou (v px): {{{http://iframe.url.com|výška}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importovat do nové vrstvy", "Imports all umap data, including layers and settings.": "Importuje všechy data umapy, včetně vrstev a nastavení", "Include full screen link?": "Zahrnout odkaz na celou obrazovku?", + "Inherit": "výchozí", "Interaction options": "Možnosti interakce", + "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", "Invalid umap data": "Neplatná data umapy", "Invalid umap data in {filename}": "Neplatná data umapy v souboru {filename}", + "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", "Keep current visible layers": "Použít aktuální zobrazení vrstev", + "Label direction": "Směr popisku", + "Label key": "Tlačítko popisku", + "Labels are clickable": "Popisky jsou klikatelné", "Latitude": "Sev. šířka", "Layer": "Vrstva", "Layer properties": "Vlastnosti vrstvy", @@ -225,20 +206,39 @@ "Merge lines": "Spojit čáry", "More controls": "Více ovládacích prvků", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Platný název v CSS (např.: Red, Blue nebo #123456)", + "No cache": "Žádná mezipaměť", "No licence has been set": "Nebyla nastavena licence", "No results": "Žádné výsledky", + "No results for these filters": "Žádné výsledky pro tyto filtry", + "None": "Žádný", + "On the bottom": "Zespod", + "On the left": "Nalevo", + "On the right": "Napravo", + "On the top": "Shora", "Only visible features will be downloaded.": "Budou staženy jen viditelné objekty", + "Open current feature on load": "Otevřít současnou funkci při zatížení", "Open download panel": "Otevřít panel na stahování", "Open link in…": "Otevřít adresu v…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otevři tuto oblast v editoru OpenStreetMap. Toto vám umožní editovat přímo základní mapová data a přispět tak v tvorbě svobodné mapy pro všechny.", "Optional intensity property for heatmap": "Volitelná vlastnost pro výpočet intenzity v teplotní mapě", + "Optional.": "Volitelné.", "Optional. Same as color if not set.": "Nepovinné. Stejné jako barva, pokud není nastaveno.", "Override clustering radius (default 80)": "Přepsat shlukovací poloměr (výchozí hodnota 80)", "Override heatmap radius (default 25)": "Přepsat poloměr teplotní mapy (výchozí hodnota 25)", + "Paste your data here": "Zde vložte svá data", + "Permalink": "Trvalý odkaz", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prosíme ujistěte se, že licence je ve shodě s tím jak mapu používáte.", "Please choose a format": "Zvolte formát", "Please enter the name of the property": "Zadejte prosím název vlastnosti", "Please enter the new name of this property": "Zadejte prosím nový název této vlastnosti", + "Please save the map first": "Prosím, nejprve uložte mapu", + "Popup": "Popup", + "Popup (large)": "Popup (velký)", + "Popup content style": "Styl obsahu popupu", + "Popup content template": "Šablona obsahu bubliny", + "Popup shape": "Tvar popupu", "Powered by Leaflet and Django, glued by uMap project.": "Sestaveno z Leaflet a Django, propojených pomocí projektu uMap.", "Problem in the response": "Problém při odpovědi", "Problem in the response format": "Problém ve formátu odpovědi", @@ -262,12 +262,17 @@ "See all": "Zobraz vše", "See data layers": "Zobrazit datové vrstvy", "See full screen": "Na celou obrazovku", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Nastavte na false pro ukrytí této vrstvy z prezentace, prohlížeče dat, vyskakovací navigace...", + "Set symbol": "Nastavit symbol", "Shape properties": "Vlastností tvaru", "Short URL": "Krátký odkaz", "Short credits": "Krátký text autorství", "Show/hide layer": "Skrytí/zobrazení vrstvy", + "Side panel": "Boční panel", "Simple link: [[http://example.com]]": "Jednoduchý odkaz: [[http://priklad.cz]]", + "Simplify": "Zjednodušit", + "Skipping unknown geometry.type: {type}": "Přeskakuji neznámý geometry.type: {type}", "Slideshow": "Prezentace", "Smart transitions": "Chytré přechody", "Sort key": "Řadící klávesa", @@ -280,10 +285,13 @@ "Supported scheme": "Podporované schéma", "Supported variables that will be dynamically replaced": "Podporované proměnné, které budou automaticky nahrazeny", "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 může mít buď znak unicode nebo URL. Vlastnosti můžete použít jako proměnné: např. Pomocí \"http://myserver.org/images/{name}.png\" bude proměnná {name} nahrazena hodnotou \"name\" každé značky.", + "Symbol or url": "Symbol nebo adresa URL", "TMS format": "formát TMS", + "Table": "Tabulka", "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 name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", "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í", @@ -310,6 +318,7 @@ "Who can edit": "Kdo může upravit", "Who can view": "Kdo může zobrazit", "Will be displayed in the bottom right corner of the map": "Bude zobrazeno s mapou napravo dole", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bude zobrazeno v popisu mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ojoj! Někdo jiný mezitím také upravil data. Můžete je uložit bez ohledu na to, ale smažete tak jeho změny.", "You have unsaved changes.": "Máte neuložené změny.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Skočit na předchozí", "Zoom to this feature": "Přiblížit na tento objekt", "Zoom to this place": "Přiblížit na toto místo", + "always": "vždy", "attribution": "autorství", "by": "od", + "clear": "vymazat", + "collapsed": "sbalené", + "color": "barva", + "dash array": "styl přerušované čáry", + "define": "definovat", + "description": "popis", "display name": "zobrazit název", + "expanded": "rozbalené", + "fill": "výplň", + "fill color": "barva výplně", + "fill opacity": "průhlednost výplně", "height": "výška", + "hidden": "skryté", + "iframe": "iframe", + "inherit": "výchozí", "licence": "licence", "max East": "maximálně na Východ", "max North": "maximálně na Sever", @@ -332,10 +355,21 @@ "max West": "maximálně na Západ", "max zoom": "maximální přiblížení", "min zoom": "maximální oddálení", + "name": "název", + "never": "nikdy", + "new window": "nové okno", "next": "další", + "no": "ne", + "on hover": "při přejetí myší", + "opacity": "průhlednost", + "parent window": "rodičovské okno", "previous": "předchozí", + "stroke": "linka", + "weight": "šířka linky", "width": "šířka", + "yes": "ano", "{count} errors during import: {message}": "{count} chyb při importu: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Měření vzdáleností", "NM": "NM", "kilometers": "kilometry", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "míle", "nautical miles": "námořní míle", - "{area} acres": "{area} akry", - "{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} míle", - "{distance} yd": "{distance} yd", - "1 day": "1 den", - "1 hour": "1 hodina", - "5 min": "5 minut", - "Cache proxied request": "Požadavek na zástupnou mezipaměť", - "No cache": "Žádná mezipaměť", - "Popup": "Popup", - "Popup (large)": "Popup (velký)", - "Popup content style": "Styl obsahu popupu", - "Popup shape": "Tvar popupu", - "Skipping unknown geometry.type: {type}": "Přeskakuji neznámý geometry.type: {type}", - "Optional.": "Volitelné.", - "Paste your data here": "Zde vložte svá data", - "Please save the map first": "Prosím, nejprve uložte mapu", - "Feature identifier key": "Identifikační klíč funkce", - "Open current feature on load": "Otevřít současnou funkci při zatížení", - "Permalink": "Trvalý odkaz", - "The name of the property to use as feature unique identifier.": "Název vlastnosti pro použití v popisku jedinečného identifikátoru objektu.", - "Advanced filter keys": "Pokročilé filtry klíčů", - "Comma separated list of properties to use for checkbox filtering": "Čárkami oddělený seznam vlastností pro filtrování zaškrtávacích políček.", - "Data filters": "Filtry dat", - "Do you want to display caption menus?": "Chcete zobrazit nabídky s popiskem?", - "Example: key1,key2,key3": "Příklad: key1,key2,key3", - "Invalid latitude or longitude": "Neplatná zeměpisná šířka nebo délka", - "Invalide property name: {name}": "Neplatný název vlastnosti: {name}", - "No results for these filters": "Žádné výsledky pro tyto filtry", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} akry", + "{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} míle", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index 7b6ffe6e..918c042d 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# et hashtag for hovedoverskrift", + "## two hashes for second heading": "## to hashtags for andet overskriftniveau", + "### three hashes for third heading": "### tre hashtags for tredje overskriftsniveau", + "**double star for bold**": "**dobbelt stjerne for fed skrift**", + "*simple star for italic*": "*enkelt stjerne for kursiv*", + "--- for an horizontal rule": "--- for vandret streg", + "1 day": "1 dag", + "1 hour": "1 time", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommasepareret nummerliste som definerer stiplingsmønstret. Fx: \"5, 10, 15\".", + "About": "Om", + "Action not allowed :(": "Handling er ikke tilladt :(", + "Activate slideshow mode": "Aktiver slideshowtilstand", + "Add a layer": "Tilføj et lag", + "Add a line to the current multi": "Tilføj en linje til nuværende multi", + "Add a new property": "Tilføj en ny egenskab", + "Add a polygon to the current multi": "Tilføj en polygon til nuværende multi", "Add symbol": "Tilføj symbol", + "Advanced actions": "Avancerede handlinger", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avancerede egenskaber", + "Advanced transition": "Avanceret overgang", + "All properties are imported.": "Alle egenskaber er importeret.", + "Allow interactions": "Tillad interaktioner", "Allow scroll wheel zoom?": "Tillad zoom med scrollhjul?", + "An error occured": "Der opstod en fejl", + "Are you sure you want to cancel your changes?": "Er du sikker på du vil fortryde dine ændringer?", + "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på du vil klone dette kort og alle dets datalag?", + "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objekt?", + "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette lag?", + "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kort?", + "Are you sure you want to delete this property on all the features?": "Er du sikker på du vil slette denne egenskab på alle objekter?", + "Are you sure you want to restore this version?": "Er du sikker på at du vil genskabe denne version?", + "Attach the map to my account": "Knyt kortet til min konto", + "Auto": "Auto", "Automatic": "Automatisk", + "Autostart when map is loaded": "Start automatisk når kort er indlæst", + "Background overlay url": "Background overlay url", "Ball": "Kugle", + "Bring feature to center": "Centrerer objekt", + "Browse data": "Gennemse data", + "Cache proxied request": "Forespørgsel i proxycache", "Cancel": "Fortryd", + "Cancel edits": "Fortryd redigeringer", "Caption": "Billedtekst", + "Center map on your location": "Centrer kort på din placering", + "Change map background": "Skift kortbaggrund", "Change symbol": "Skift symbol", + "Change tilelayers": "Skift kortlag", + "Choose a preset": "Vælg en forudindstilling", "Choose the data format": "Vælg dataformat", + "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer of the feature": "Vælg objektets lag", + "Choose the layer to import in": "Vælg lag der skal importeres", "Circle": "Cirkel", + "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", + "Click to add a marker": "Klik for at tilføje en markør", + "Click to continue drawing": "Klik for at fortsætte indtegning", + "Click to edit": "Klik for at redigere", + "Click to start drawing a line": "Klik for at starte indtegning af linje", + "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", + "Clone": "Kloning", + "Clone of {name}": "Klone af {name}", + "Clone this feature": "Klon dette objekt", + "Clone this map": "Klon dette kort", + "Close": "Luk", "Clustered": "Klynge", + "Clustering radius": "Klyngeradius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kommasepareret egenskabsliste til brug ved objektfiltrering.", + "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, tabulering eller semikolon adskiller værdier. SRS WGS84 er underforstået. Kun punktgeometri importeres. Importen vil kigge efter kolonner, der indeholder varianter af \"lat\" eller \"lon\" i begyndelsen af overskriften, uden at tage hensyn til små og store bogstaver. Alle andre kolonner importeres som egenskaber.", + "Continue line": "Fortsæt linje", + "Continue line (Ctrl+Click)": "Fortsæt linje (Ctrl+Klik)", + "Coordinates": "Koordinater", + "Credits": "Kreditering", + "Current view instead of default map view?": "Nuværende kortudsnit i stedet for standardkortvisning?", + "Custom background": "Tilpasset baggrund", + "Custom overlay": "Custom overlay", "Data browser": "Databrowser", + "Data filters": "Data filters", + "Data is browsable": "Data kan gennemses", "Default": "Standard", + "Default interaction options": "Standardinteraktionsindstillinger", + "Default properties": "Standardegenskaber", + "Default shape properties": "Standard figur-egenskaber", "Default zoom level": "Standardzoomniveau", "Default: name": "Standard:-navn", + "Define link to open in a new window on polygon click.": "Definer link der åbnes i et nyt vindue ved klik på polygon.", + "Delay between two transitions when in play mode": "Forsinkelse mellem to transitioner, når i afspilningstilstand", + "Delete": "Slet", + "Delete all layers": "Slet alle lag", + "Delete layer": "Slet lag", + "Delete this feature": "Slet dette objekt", + "Delete this property on all the features": "Slet denne egenskab på alle objekter", + "Delete this shape": "Slet denne figur", + "Delete this vertex (Alt+Click)": "Slet denne vertex (Alt+Click)", + "Directions from here": "Kørselsvejledning herfra", + "Disable editing": "Deaktiver redigering", "Display label": "Visningslabel", + "Display measure": "Vis opmåling", + "Display on load": "Vis ved indlæsning", "Display the control to open OpenStreetMap editor": "Vis kontrollen til åbning af OpenStreetMap-editoren", "Display the data layers control": "Vis datalagkontrollen", "Display the embed control": "Vis indlejringskontrollen", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Vil du vise en billedtekst?", "Do you want to display a minimap?": "Vil du vise et miniaturekort?", "Do you want to display a panel on load?": "Vil du vise et panel ved indlæsning?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Vil du vise popupnoten?", "Do you want to display the scale control?": "Vil du vise målestokskontrollen?", "Do you want to display the «more» control?": "Vil du vise \"mere\"-kontrollen?", - "Drop": "Drop", - "GeoRSS (only link)": "GeoRSS (kun link)", - "GeoRSS (title + image)": "GeoRSS (titel + billede)", - "Heatmap": "Heatmap", - "Icon shape": "Ikonfacon", - "Icon symbol": "Ikonsymbol", - "Inherit": "Nedarv", - "Label direction": "Labelretning", - "Label key": "Labelnøgle", - "Labels are clickable": "Labels er klikbare", - "None": "Ingen", - "On the bottom": "I bunden", - "On the left": "Til venstre", - "On the right": "Til højre", - "On the top": "I toppen", - "Popup content template": "Popups indholdsskabelon", - "Set symbol": "Opsæt symbol", - "Side panel": "Sidepanel", - "Simplify": "Simplificer", - "Symbol or url": "Symbol eller url", - "Table": "Tabel", - "always": "altid", - "clear": "tøm", - "collapsed": "klappet sammen", - "color": "farver", - "dash array": "stiplet række", - "define": "definer", - "description": "beskrivelse", - "expanded": "udvidet", - "fill": "udfyldning", - "fill color": "udfyldningsfarve", - "fill opacity": "udfyldningsgennemsigtighed", - "hidden": "skjult", - "iframe": "iframe", - "inherit": "nedarvet", - "name": "navn", - "never": "aldrig", - "new window": "nyt vindue", - "no": "nej", - "on hover": "ved hover", - "opacity": "gennemsigtighed", - "parent window": "forældervindue", - "stroke": "strøg", - "weight": "vægtning", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# et hashtag for hovedoverskrift", - "## two hashes for second heading": "## to hashtags for andet overskriftniveau", - "### three hashes for third heading": "### tre hashtags for tredje overskriftsniveau", - "**double star for bold**": "**dobbelt stjerne for fed skrift**", - "*simple star for italic*": "*enkelt stjerne for kursiv*", - "--- for an horizontal rule": "--- for vandret streg", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommasepareret nummerliste som definerer stiplingsmønstret. Fx: \"5, 10, 15\".", - "About": "Om", - "Action not allowed :(": "Handling er ikke tilladt :(", - "Activate slideshow mode": "Aktiver slideshowtilstand", - "Add a layer": "Tilføj et lag", - "Add a line to the current multi": "Tilføj en linje til nuværende multi", - "Add a new property": "Tilføj en ny egenskab", - "Add a polygon to the current multi": "Tilføj en polygon til nuværende multi", - "Advanced actions": "Avancerede handlinger", - "Advanced properties": "Avancerede egenskaber", - "Advanced transition": "Avanceret overgang", - "All properties are imported.": "Alle egenskaber er importeret.", - "Allow interactions": "Tillad interaktioner", - "An error occured": "Der opstod en fejl", - "Are you sure you want to cancel your changes?": "Er du sikker på du vil fortryde dine ændringer?", - "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på du vil klone dette kort og alle dets datalag?", - "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objekt?", - "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette lag?", - "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kort?", - "Are you sure you want to delete this property on all the features?": "Er du sikker på du vil slette denne egenskab på alle objekter?", - "Are you sure you want to restore this version?": "Er du sikker på at du vil genskabe denne version?", - "Attach the map to my account": "Knyt kortet til min konto", - "Auto": "Auto", - "Autostart when map is loaded": "Start automatisk når kort er indlæst", - "Bring feature to center": "Centrerer objekt", - "Browse data": "Gennemse data", - "Cancel edits": "Fortryd redigeringer", - "Center map on your location": "Centrer kort på din placering", - "Change map background": "Skift kortbaggrund", - "Change tilelayers": "Skift kortlag", - "Choose a preset": "Vælg en forudindstilling", - "Choose the format of the data to import": "Vælg imports dataformat", - "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing": "Klik for at fortsætte indtegning", - "Click to edit": "Klik for at redigere", - "Click to start drawing a line": "Klik for at starte indtegning af linje", - "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", - "Clone": "Kloning", - "Clone of {name}": "Klone af {name}", - "Clone this feature": "Klon dette objekt", - "Clone this map": "Klon dette kort", - "Close": "Luk", - "Clustering radius": "Klyngeradius", - "Comma separated list of properties to use when filtering features": "Kommasepareret egenskabsliste til brug ved objektfiltrering.", - "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, tabulering eller semikolon adskiller værdier. SRS WGS84 er underforstået. Kun punktgeometri importeres. Importen vil kigge efter kolonner, der indeholder varianter af \"lat\" eller \"lon\" i begyndelsen af overskriften, uden at tage hensyn til små og store bogstaver. Alle andre kolonner importeres som egenskaber.", - "Continue line": "Fortsæt linje", - "Continue line (Ctrl+Click)": "Fortsæt linje (Ctrl+Klik)", - "Coordinates": "Koordinater", - "Credits": "Kreditering", - "Current view instead of default map view?": "Nuværende kortudsnit i stedet for standardkortvisning?", - "Custom background": "Tilpasset baggrund", - "Data is browsable": "Data kan gennemses", - "Default interaction options": "Standardinteraktionsindstillinger", - "Default properties": "Standardegenskaber", - "Default shape properties": "Standard figur-egenskaber", - "Define link to open in a new window on polygon click.": "Definer link der åbnes i et nyt vindue ved klik på polygon.", - "Delay between two transitions when in play mode": "Forsinkelse mellem to transitioner, når i afspilningstilstand", - "Delete": "Slet", - "Delete all layers": "Slet alle lag", - "Delete layer": "Slet lag", - "Delete this feature": "Slet dette objekt", - "Delete this property on all the features": "Slet denne egenskab på alle objekter", - "Delete this shape": "Slet denne figur", - "Delete this vertex (Alt+Click)": "Slet denne vertex (Alt+Click)", - "Directions from here": "Kørselsvejledning herfra", - "Disable editing": "Deaktiver redigering", - "Display measure": "Vis opmåling", - "Display on load": "Vis ved indlæsning", "Download": "Download", "Download data": "Download data", "Drag to reorder": "Træk for at ændre rækkefølge", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Tegn en markør", "Draw a polygon": "Tegn en polygon", "Draw a polyline": "Tegn en polygonlinje", + "Drop": "Drop", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiske egenskaber", "Edit": "Redigering", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Indlejring af kortet", "Empty": "Tomt", "Enable editing": "Aktiver redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fejl i fliselags-URL'en", "Error while fetching {url}": "Fejl ved hentning af {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Afslut fuldskærm", "Extract shape to separate feature": "Udtræk figur for at adskille objekt", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Hent data hver gang kortvisningen ændres.", "Filter keys": "Filternøgler", "Filter…": "Filter…", "Format": "Format", "From zoom": "Fra zoom", "Full map data": "Komplette kortdata", + "GeoRSS (only link)": "GeoRSS (kun link)", + "GeoRSS (title + image)": "GeoRSS (titel + billede)", "Go to «{feature}»": "Gå til \"{feature}\"", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmaps intensitetsegenskaber", "Heatmap radius": "Heatmaps radius", "Help": "Hjælp", "Hide controls": "Skjul kontroller", "Home": "Hjem", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hvor meget polylinjen skal forenkles på hvert zoomniveau (mere = bedre ydeevne og jævnere udseende, mindre = mere præcist)", + "Icon shape": "Ikonfacon", + "Icon symbol": "Ikonsymbol", "If false, the polygon will act as a part of the underlying map.": "Hvis falsk så vil polygonen opfører sig som en del af det underliggende kort.", "Iframe export options": "Iframes eksportindstillinger", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe med brugerdefineret højde (i px): {{{http://iframe.url.com|højde}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importerer i et nyt lag", "Imports all umap data, including layers and settings.": "Importerer alle umapdata, inklusiv lag og indstillinger,", "Include full screen link?": "Inkluder fuldskærmslink?", + "Inherit": "Nedarv", "Interaction options": "Interaktionsindstillinger", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ugyldige umapdata", "Invalid umap data in {filename}": "Ugydige umapdata i {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Behold nuværende synlige lag", + "Label direction": "Labelretning", + "Label key": "Labelnøgle", + "Labels are clickable": "Labels er klikbare", "Latitude": "Længdegrader", "Layer": "Lag", "Layer properties": "Lags egenskaber", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Flet linjer", "More controls": "Vis flere kontroller", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Skal være en gyldig CSS-værdi (fx: DarkBlue eller #123456)", + "No cache": "Ingen cache", "No licence has been set": "Ingen licens angivet", "No results": "Ingen resultater", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "I bunden", + "On the left": "Til venstre", + "On the right": "Til højre", + "On the top": "I toppen", "Only visible features will be downloaded.": "Kun synlige objekter vil blive downloadet.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Åbn downloadpanel", "Open link in…": "Åbn link i…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Åbn dette kort i en korteditor for at levere mere nøjagtige data til OpenStreetMap", "Optional intensity property for heatmap": "Valgfri intensitetsegenskaber for heatmap", + "Optional.": "Valgfrit.", "Optional. Same as color if not set.": "Valgfrit. Samme som farve hvis ikke opsat.", "Override clustering radius (default 80)": "Overskriv klyngeradius (standard 80)", "Override heatmap radius (default 25)": "Overskriv heatmapradius (standard 25)", + "Paste your data here": "Indsæt dine data her", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Sørg for at licensen tillader din anvendelse.", "Please choose a format": "Vælg et format", "Please enter the name of the property": "Angiv egenskabens navn", "Please enter the new name of this property": "Angiv egenskabens nye navn", + "Please save the map first": "Gem først kortet", + "Popup": "Popup", + "Popup (large)": "Popup (stor)", + "Popup content style": "Popupindholdsstil", + "Popup content template": "Popups indholdsskabelon", + "Popup shape": "Popupfacon", "Powered by Leaflet and Django, glued by uMap project.": "Drives af Leaflet og Django, sammensat af uMap-projektet.", "Problem in the response": "Problem med svaret", "Problem in the response format": "Problem med svarformatet", @@ -262,12 +262,17 @@ var locale = { "See all": "Se alle", "See data layers": "Se datalag", "See full screen": "Se i fuld skærm", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Sæt den til false, for at skjule dette lag fra slideshowet, databrowseren, popupnavigeringen…", + "Set symbol": "Opsæt symbol", "Shape properties": "Figuregenskaber", "Short URL": "Kort URL", "Short credits": "Kort kreditering", "Show/hide layer": "Vis/skjul lag", + "Side panel": "Sidepanel", "Simple link: [[http://example.com]]": "Simpelt link: [[http://example.com]]", + "Simplify": "Simplificer", + "Skipping unknown geometry.type: {type}": "Springer over ukendt geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smarte transitioner", "Sort key": "Sorteringsnøgle", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Understøttet skema", "Supported variables that will be dynamically replaced": "Understøttede variabler som vil blive dynamisk erstattet", "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 kan enten være et unicodetegn eller en URL. Du kan anvende objektegenskaber som variabler: fx: med \"http://myserver.org/images/{navn}.png\", vil variablen {navn} blive erstattet af hver markørs \"navn\"-værdi.", + "Symbol or url": "Symbol eller url", "TMS format": "TMS-format", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Hvem kan redigere", "Who can view": "Hvem kan se", "Will be displayed in the bottom right corner of the map": "Vil blive vist i kortets nederste højre hjørne", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Vil være synlig i tekstfeltet på kortet", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ups! Det ser ud til at nogen har rettet i dataene. Du kan gemme alligevel, men det vil overskrive andres ændringer.", "You have unsaved changes.": "Du har ændringer, som ikke er gemt.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom til forrige", "Zoom to this feature": "Zoom til dette objekt", "Zoom to this place": "Zoom til dette sted", + "always": "altid", "attribution": "navngivelse", "by": "af", + "clear": "tøm", + "collapsed": "klappet sammen", + "color": "farver", + "dash array": "stiplet række", + "define": "definer", + "description": "beskrivelse", "display name": "visningsnavn", + "expanded": "udvidet", + "fill": "udfyldning", + "fill color": "udfyldningsfarve", + "fill opacity": "udfyldningsgennemsigtighed", "height": "højde", + "hidden": "skjult", + "iframe": "iframe", + "inherit": "nedarvet", "licence": "licens", "max East": "max øst", "max North": "max nord", @@ -332,10 +355,21 @@ var locale = { "max West": "max vest", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "navn", + "never": "aldrig", + "new window": "nyt vindue", "next": "næste", + "no": "nej", + "on hover": "ved hover", + "opacity": "gennemsigtighed", + "parent window": "forældervindue", "previous": "forrige", + "stroke": "strøg", + "weight": "vægtning", "width": "bredde", + "yes": "ja", "{count} errors during import: {message}": "{count} fejl under import: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Opmål afstande", "NM": "NM", "kilometers": "kilometer", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "miles", "nautical miles": "sømil", - "{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 dag", - "1 hour": "1 time", - "5 min": "5 min", - "Cache proxied request": "Forespørgsel i proxycache", - "No cache": "Ingen cache", - "Popup": "Popup", - "Popup (large)": "Popup (stor)", - "Popup content style": "Popupindholdsstil", - "Popup shape": "Popupfacon", - "Skipping unknown geometry.type: {type}": "Springer over ukendt geometry.type: {type}", - "Optional.": "Valgfrit.", - "Paste your data here": "Indsæt dine data her", - "Please save the map first": "Gem først kortet", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("da", locale); L.setLocale("da"); \ No newline at end of file diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 5def18a4..709af5f1 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# et hashtag for hovedoverskrift", + "## two hashes for second heading": "## to hashtags for andet overskriftniveau", + "### three hashes for third heading": "### tre hashtags for tredje overskriftsniveau", + "**double star for bold**": "**dobbelt stjerne for fed skrift**", + "*simple star for italic*": "*enkelt stjerne for kursiv*", + "--- for an horizontal rule": "--- for vandret streg", + "1 day": "1 dag", + "1 hour": "1 time", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommasepareret nummerliste som definerer stiplingsmønstret. Fx: \"5, 10, 15\".", + "About": "Om", + "Action not allowed :(": "Handling er ikke tilladt :(", + "Activate slideshow mode": "Aktiver slideshowtilstand", + "Add a layer": "Tilføj et lag", + "Add a line to the current multi": "Tilføj en linje til nuværende multi", + "Add a new property": "Tilføj en ny egenskab", + "Add a polygon to the current multi": "Tilføj en polygon til nuværende multi", "Add symbol": "Tilføj symbol", + "Advanced actions": "Avancerede handlinger", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avancerede egenskaber", + "Advanced transition": "Avanceret overgang", + "All properties are imported.": "Alle egenskaber er importeret.", + "Allow interactions": "Tillad interaktioner", "Allow scroll wheel zoom?": "Tillad zoom med scrollhjul?", + "An error occured": "Der opstod en fejl", + "Are you sure you want to cancel your changes?": "Er du sikker på du vil fortryde dine ændringer?", + "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på du vil klone dette kort og alle dets datalag?", + "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objekt?", + "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette lag?", + "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kort?", + "Are you sure you want to delete this property on all the features?": "Er du sikker på du vil slette denne egenskab på alle objekter?", + "Are you sure you want to restore this version?": "Er du sikker på at du vil genskabe denne version?", + "Attach the map to my account": "Knyt kortet til min konto", + "Auto": "Auto", "Automatic": "Automatisk", + "Autostart when map is loaded": "Start automatisk når kort er indlæst", + "Background overlay url": "Background overlay url", "Ball": "Kugle", + "Bring feature to center": "Centrerer objekt", + "Browse data": "Gennemse data", + "Cache proxied request": "Forespørgsel i proxycache", "Cancel": "Fortryd", + "Cancel edits": "Fortryd redigeringer", "Caption": "Billedtekst", + "Center map on your location": "Centrer kort på din placering", + "Change map background": "Skift kortbaggrund", "Change symbol": "Skift symbol", + "Change tilelayers": "Skift kortlag", + "Choose a preset": "Vælg en forudindstilling", "Choose the data format": "Vælg dataformat", + "Choose the format of the data to import": "Vælg imports dataformat", "Choose the layer of the feature": "Vælg objektets lag", + "Choose the layer to import in": "Vælg lag der skal importeres", "Circle": "Cirkel", + "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", + "Click to add a marker": "Klik for at tilføje en markør", + "Click to continue drawing": "Klik for at fortsætte indtegning", + "Click to edit": "Klik for at redigere", + "Click to start drawing a line": "Klik for at starte indtegning af linje", + "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", + "Clone": "Kloning", + "Clone of {name}": "Klone af {name}", + "Clone this feature": "Klon dette objekt", + "Clone this map": "Klon dette kort", + "Close": "Luk", "Clustered": "Klynge", + "Clustering radius": "Klyngeradius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kommasepareret egenskabsliste til brug ved objektfiltrering.", + "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, tabulering eller semikolon adskiller værdier. SRS WGS84 er underforstået. Kun punktgeometri importeres. Importen vil kigge efter kolonner, der indeholder varianter af \"lat\" eller \"lon\" i begyndelsen af overskriften, uden at tage hensyn til små og store bogstaver. Alle andre kolonner importeres som egenskaber.", + "Continue line": "Fortsæt linje", + "Continue line (Ctrl+Click)": "Fortsæt linje (Ctrl+Klik)", + "Coordinates": "Koordinater", + "Credits": "Kreditering", + "Current view instead of default map view?": "Nuværende kortudsnit i stedet for standardkortvisning?", + "Custom background": "Tilpasset baggrund", + "Custom overlay": "Custom overlay", "Data browser": "Databrowser", + "Data filters": "Data filters", + "Data is browsable": "Data kan gennemses", "Default": "Standard", + "Default interaction options": "Standardinteraktionsindstillinger", + "Default properties": "Standardegenskaber", + "Default shape properties": "Standard figur-egenskaber", "Default zoom level": "Standardzoomniveau", "Default: name": "Standard:-navn", + "Define link to open in a new window on polygon click.": "Definer link der åbnes i et nyt vindue ved klik på polygon.", + "Delay between two transitions when in play mode": "Forsinkelse mellem to transitioner, når i afspilningstilstand", + "Delete": "Slet", + "Delete all layers": "Slet alle lag", + "Delete layer": "Slet lag", + "Delete this feature": "Slet dette objekt", + "Delete this property on all the features": "Slet denne egenskab på alle objekter", + "Delete this shape": "Slet denne figur", + "Delete this vertex (Alt+Click)": "Slet denne vertex (Alt+Click)", + "Directions from here": "Kørselsvejledning herfra", + "Disable editing": "Deaktiver redigering", "Display label": "Visningslabel", + "Display measure": "Vis opmåling", + "Display on load": "Vis ved indlæsning", "Display the control to open OpenStreetMap editor": "Vis kontrollen til åbning af OpenStreetMap-editoren", "Display the data layers control": "Vis datalagkontrollen", "Display the embed control": "Vis indlejringskontrollen", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Vil du vise en billedtekst?", "Do you want to display a minimap?": "Vil du vise et miniaturekort?", "Do you want to display a panel on load?": "Vil du vise et panel ved indlæsning?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Vil du vise popupnoten?", "Do you want to display the scale control?": "Vil du vise målestokskontrollen?", "Do you want to display the «more» control?": "Vil du vise \"mere\"-kontrollen?", - "Drop": "Drop", - "GeoRSS (only link)": "GeoRSS (kun link)", - "GeoRSS (title + image)": "GeoRSS (titel + billede)", - "Heatmap": "Heatmap", - "Icon shape": "Ikonfacon", - "Icon symbol": "Ikonsymbol", - "Inherit": "Nedarv", - "Label direction": "Labelretning", - "Label key": "Labelnøgle", - "Labels are clickable": "Labels er klikbare", - "None": "Ingen", - "On the bottom": "I bunden", - "On the left": "Til venstre", - "On the right": "Til højre", - "On the top": "I toppen", - "Popup content template": "Popups indholdsskabelon", - "Set symbol": "Opsæt symbol", - "Side panel": "Sidepanel", - "Simplify": "Simplificer", - "Symbol or url": "Symbol eller url", - "Table": "Tabel", - "always": "altid", - "clear": "tøm", - "collapsed": "klappet sammen", - "color": "farver", - "dash array": "stiplet række", - "define": "definer", - "description": "beskrivelse", - "expanded": "udvidet", - "fill": "udfyldning", - "fill color": "udfyldningsfarve", - "fill opacity": "udfyldningsgennemsigtighed", - "hidden": "skjult", - "iframe": "iframe", - "inherit": "nedarvet", - "name": "navn", - "never": "aldrig", - "new window": "nyt vindue", - "no": "nej", - "on hover": "ved hover", - "opacity": "gennemsigtighed", - "parent window": "forældervindue", - "stroke": "strøg", - "weight": "vægtning", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# et hashtag for hovedoverskrift", - "## two hashes for second heading": "## to hashtags for andet overskriftniveau", - "### three hashes for third heading": "### tre hashtags for tredje overskriftsniveau", - "**double star for bold**": "**dobbelt stjerne for fed skrift**", - "*simple star for italic*": "*enkelt stjerne for kursiv*", - "--- for an horizontal rule": "--- for vandret streg", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommasepareret nummerliste som definerer stiplingsmønstret. Fx: \"5, 10, 15\".", - "About": "Om", - "Action not allowed :(": "Handling er ikke tilladt :(", - "Activate slideshow mode": "Aktiver slideshowtilstand", - "Add a layer": "Tilføj et lag", - "Add a line to the current multi": "Tilføj en linje til nuværende multi", - "Add a new property": "Tilføj en ny egenskab", - "Add a polygon to the current multi": "Tilføj en polygon til nuværende multi", - "Advanced actions": "Avancerede handlinger", - "Advanced properties": "Avancerede egenskaber", - "Advanced transition": "Avanceret overgang", - "All properties are imported.": "Alle egenskaber er importeret.", - "Allow interactions": "Tillad interaktioner", - "An error occured": "Der opstod en fejl", - "Are you sure you want to cancel your changes?": "Er du sikker på du vil fortryde dine ændringer?", - "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på du vil klone dette kort og alle dets datalag?", - "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objekt?", - "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette lag?", - "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kort?", - "Are you sure you want to delete this property on all the features?": "Er du sikker på du vil slette denne egenskab på alle objekter?", - "Are you sure you want to restore this version?": "Er du sikker på at du vil genskabe denne version?", - "Attach the map to my account": "Knyt kortet til min konto", - "Auto": "Auto", - "Autostart when map is loaded": "Start automatisk når kort er indlæst", - "Bring feature to center": "Centrerer objekt", - "Browse data": "Gennemse data", - "Cancel edits": "Fortryd redigeringer", - "Center map on your location": "Centrer kort på din placering", - "Change map background": "Skift kortbaggrund", - "Change tilelayers": "Skift kortlag", - "Choose a preset": "Vælg en forudindstilling", - "Choose the format of the data to import": "Vælg imports dataformat", - "Choose the layer to import in": "Vælg lag der skal importeres", - "Click last point to finish shape": "Klik på det det sidste punkt for at afslutte figur", - "Click to add a marker": "Klik for at tilføje en markør", - "Click to continue drawing": "Klik for at fortsætte indtegning", - "Click to edit": "Klik for at redigere", - "Click to start drawing a line": "Klik for at starte indtegning af linje", - "Click to start drawing a polygon": "Klik for at starte indtegning af polygon", - "Clone": "Kloning", - "Clone of {name}": "Klone af {name}", - "Clone this feature": "Klon dette objekt", - "Clone this map": "Klon dette kort", - "Close": "Luk", - "Clustering radius": "Klyngeradius", - "Comma separated list of properties to use when filtering features": "Kommasepareret egenskabsliste til brug ved objektfiltrering.", - "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, tabulering eller semikolon adskiller værdier. SRS WGS84 er underforstået. Kun punktgeometri importeres. Importen vil kigge efter kolonner, der indeholder varianter af \"lat\" eller \"lon\" i begyndelsen af overskriften, uden at tage hensyn til små og store bogstaver. Alle andre kolonner importeres som egenskaber.", - "Continue line": "Fortsæt linje", - "Continue line (Ctrl+Click)": "Fortsæt linje (Ctrl+Klik)", - "Coordinates": "Koordinater", - "Credits": "Kreditering", - "Current view instead of default map view?": "Nuværende kortudsnit i stedet for standardkortvisning?", - "Custom background": "Tilpasset baggrund", - "Data is browsable": "Data kan gennemses", - "Default interaction options": "Standardinteraktionsindstillinger", - "Default properties": "Standardegenskaber", - "Default shape properties": "Standard figur-egenskaber", - "Define link to open in a new window on polygon click.": "Definer link der åbnes i et nyt vindue ved klik på polygon.", - "Delay between two transitions when in play mode": "Forsinkelse mellem to transitioner, når i afspilningstilstand", - "Delete": "Slet", - "Delete all layers": "Slet alle lag", - "Delete layer": "Slet lag", - "Delete this feature": "Slet dette objekt", - "Delete this property on all the features": "Slet denne egenskab på alle objekter", - "Delete this shape": "Slet denne figur", - "Delete this vertex (Alt+Click)": "Slet denne vertex (Alt+Click)", - "Directions from here": "Kørselsvejledning herfra", - "Disable editing": "Deaktiver redigering", - "Display measure": "Vis opmåling", - "Display on load": "Vis ved indlæsning", "Download": "Download", "Download data": "Download data", "Drag to reorder": "Træk for at ændre rækkefølge", @@ -159,6 +125,7 @@ "Draw a marker": "Tegn en markør", "Draw a polygon": "Tegn en polygon", "Draw a polyline": "Tegn en polygonlinje", + "Drop": "Drop", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiske egenskaber", "Edit": "Redigering", @@ -172,23 +139,31 @@ "Embed the map": "Indlejring af kortet", "Empty": "Tomt", "Enable editing": "Aktiver redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fejl i fliselags-URL'en", "Error while fetching {url}": "Fejl ved hentning af {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Afslut fuldskærm", "Extract shape to separate feature": "Udtræk figur for at adskille objekt", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Hent data hver gang kortvisningen ændres.", "Filter keys": "Filternøgler", "Filter…": "Filter…", "Format": "Format", "From zoom": "Fra zoom", "Full map data": "Komplette kortdata", + "GeoRSS (only link)": "GeoRSS (kun link)", + "GeoRSS (title + image)": "GeoRSS (titel + billede)", "Go to «{feature}»": "Gå til \"{feature}\"", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmaps intensitetsegenskaber", "Heatmap radius": "Heatmaps radius", "Help": "Hjælp", "Hide controls": "Skjul kontroller", "Home": "Hjem", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hvor meget polylinjen skal forenkles på hvert zoomniveau (mere = bedre ydeevne og jævnere udseende, mindre = mere præcist)", + "Icon shape": "Ikonfacon", + "Icon symbol": "Ikonsymbol", "If false, the polygon will act as a part of the underlying map.": "Hvis falsk så vil polygonen opfører sig som en del af det underliggende kort.", "Iframe export options": "Iframes eksportindstillinger", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe med brugerdefineret højde (i px): {{{http://iframe.url.com|højde}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importerer i et nyt lag", "Imports all umap data, including layers and settings.": "Importerer alle umapdata, inklusiv lag og indstillinger,", "Include full screen link?": "Inkluder fuldskærmslink?", + "Inherit": "Nedarv", "Interaction options": "Interaktionsindstillinger", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ugyldige umapdata", "Invalid umap data in {filename}": "Ugydige umapdata i {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Behold nuværende synlige lag", + "Label direction": "Labelretning", + "Label key": "Labelnøgle", + "Labels are clickable": "Labels er klikbare", "Latitude": "Længdegrader", "Layer": "Lag", "Layer properties": "Lags egenskaber", @@ -225,20 +206,39 @@ "Merge lines": "Flet linjer", "More controls": "Vis flere kontroller", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Skal være en gyldig CSS-værdi (fx: DarkBlue eller #123456)", + "No cache": "Ingen cache", "No licence has been set": "Ingen licens angivet", "No results": "Ingen resultater", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "I bunden", + "On the left": "Til venstre", + "On the right": "Til højre", + "On the top": "I toppen", "Only visible features will be downloaded.": "Kun synlige objekter vil blive downloadet.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Åbn downloadpanel", "Open link in…": "Åbn link i…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Åbn dette kort i en korteditor for at levere mere nøjagtige data til OpenStreetMap", "Optional intensity property for heatmap": "Valgfri intensitetsegenskaber for heatmap", + "Optional.": "Valgfrit.", "Optional. Same as color if not set.": "Valgfrit. Samme som farve hvis ikke opsat.", "Override clustering radius (default 80)": "Overskriv klyngeradius (standard 80)", "Override heatmap radius (default 25)": "Overskriv heatmapradius (standard 25)", + "Paste your data here": "Indsæt dine data her", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Sørg for at licensen tillader din anvendelse.", "Please choose a format": "Vælg et format", "Please enter the name of the property": "Angiv egenskabens navn", "Please enter the new name of this property": "Angiv egenskabens nye navn", + "Please save the map first": "Gem først kortet", + "Popup": "Popup", + "Popup (large)": "Popup (stor)", + "Popup content style": "Popupindholdsstil", + "Popup content template": "Popups indholdsskabelon", + "Popup shape": "Popupfacon", "Powered by Leaflet and Django, glued by uMap project.": "Drives af Leaflet og Django, sammensat af uMap-projektet.", "Problem in the response": "Problem med svaret", "Problem in the response format": "Problem med svarformatet", @@ -262,12 +262,17 @@ "See all": "Se alle", "See data layers": "Se datalag", "See full screen": "Se i fuld skærm", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Sæt den til false, for at skjule dette lag fra slideshowet, databrowseren, popupnavigeringen…", + "Set symbol": "Opsæt symbol", "Shape properties": "Figuregenskaber", "Short URL": "Kort URL", "Short credits": "Kort kreditering", "Show/hide layer": "Vis/skjul lag", + "Side panel": "Sidepanel", "Simple link: [[http://example.com]]": "Simpelt link: [[http://example.com]]", + "Simplify": "Simplificer", + "Skipping unknown geometry.type: {type}": "Springer over ukendt geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smarte transitioner", "Sort key": "Sorteringsnøgle", @@ -280,10 +285,13 @@ "Supported scheme": "Understøttet skema", "Supported variables that will be dynamically replaced": "Understøttede variabler som vil blive dynamisk erstattet", "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 kan enten være et unicodetegn eller en URL. Du kan anvende objektegenskaber som variabler: fx: med \"http://myserver.org/images/{navn}.png\", vil variablen {navn} blive erstattet af hver markørs \"navn\"-værdi.", + "Symbol or url": "Symbol eller url", "TMS format": "TMS-format", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", @@ -310,6 +318,7 @@ "Who can edit": "Hvem kan redigere", "Who can view": "Hvem kan se", "Will be displayed in the bottom right corner of the map": "Vil blive vist i kortets nederste højre hjørne", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Vil være synlig i tekstfeltet på kortet", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ups! Det ser ud til at nogen har rettet i dataene. Du kan gemme alligevel, men det vil overskrive andres ændringer.", "You have unsaved changes.": "Du har ændringer, som ikke er gemt.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom til forrige", "Zoom to this feature": "Zoom til dette objekt", "Zoom to this place": "Zoom til dette sted", + "always": "altid", "attribution": "navngivelse", "by": "af", + "clear": "tøm", + "collapsed": "klappet sammen", + "color": "farver", + "dash array": "stiplet række", + "define": "definer", + "description": "beskrivelse", "display name": "visningsnavn", + "expanded": "udvidet", + "fill": "udfyldning", + "fill color": "udfyldningsfarve", + "fill opacity": "udfyldningsgennemsigtighed", "height": "højde", + "hidden": "skjult", + "iframe": "iframe", + "inherit": "nedarvet", "licence": "licens", "max East": "max øst", "max North": "max nord", @@ -332,10 +355,21 @@ "max West": "max vest", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "navn", + "never": "aldrig", + "new window": "nyt vindue", "next": "næste", + "no": "nej", + "on hover": "ved hover", + "opacity": "gennemsigtighed", + "parent window": "forældervindue", "previous": "forrige", + "stroke": "strøg", + "weight": "vægtning", "width": "bredde", + "yes": "ja", "{count} errors during import: {message}": "{count} fejl under import: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Opmål afstande", "NM": "NM", "kilometers": "kilometer", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "miles", "nautical miles": "sømil", - "{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 dag", - "1 hour": "1 time", - "5 min": "5 min", - "Cache proxied request": "Forespørgsel i proxycache", - "No cache": "Ingen cache", - "Popup": "Popup", - "Popup (large)": "Popup (stor)", - "Popup content style": "Popupindholdsstil", - "Popup shape": "Popupfacon", - "Skipping unknown geometry.type: {type}": "Springer over ukendt geometry.type: {type}", - "Optional.": "Valgfrit.", - "Paste your data here": "Indsæt dine data her", - "Please save the map first": "Gem først kortet", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index e161e354..59855b24 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# Eine Raute für große Überschrift", + "## two hashes for second heading": "## Zwei Rauten für mittlere Überschrift", + "### three hashes for third heading": "### Drei Rauten für kleine Überschrift", + "**double star for bold**": "**Zwei Sterne für Fett**", + "*simple star for italic*": "*Ein Stern für Kursiv*", + "--- for an horizontal rule": "--- Für eine horizontale Linie", + "1 day": "1 Tag", + "1 hour": "1 Stunde", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", + "About": "Über", + "Action not allowed :(": "Aktion nicht erlaubt :(", + "Activate slideshow mode": "Diashowmodus aktivieren", + "Add a layer": "Ebene hinzufügen", + "Add a line to the current multi": "Linie zur vorhandene Gruppe hinzufügen", + "Add a new property": "Ein Merkmal hinzufügen", + "Add a polygon to the current multi": "Fläche zur vorhandene Gruppe hinzufügen", "Add symbol": "Symbol hinzufügen", + "Advanced actions": "Erweiterte Aktionen", + "Advanced filter keys": "Erweiterte Filterschlüssel", + "Advanced properties": "Erweiterte Eigenschaften", + "Advanced transition": "Erweiterter Übergang", + "All properties are imported.": "Alle Merkmale wurden importiert.", + "Allow interactions": "Interaktionen erlauben", "Allow scroll wheel zoom?": "Zoomen mit dem Mausrad erlauben?", + "An error occured": "Es ist ein Fehler aufgetreten.", + "Are you sure you want to cancel your changes?": "Willst du deine Änderungen wirklich abbrechen?", + "Are you sure you want to clone this map and all its datalayers?": "Möchtest du die Karte und ihre Datenebenen wirklich duplizieren?", + "Are you sure you want to delete the feature?": "Möchtest du dieses Element wirklich löschen?", + "Are you sure you want to delete this layer?": "Bist du sicher, dass du diese Ebene löschen willst?", + "Are you sure you want to delete this map?": "Willst du diese Karte wirklich löschen?", + "Are you sure you want to delete this property on all the features?": "Bist du sicher, dass du dieses Merkmal bei allen Elementen löschen willst?", + "Are you sure you want to restore this version?": "Bist du sicher, dass du diese Version wiederherstellen willst?", + "Attach the map to my account": "Die Karte meinem Benutzerkonto zuordnen", + "Auto": "Automatisch", "Automatic": "Automatisch", + "Autostart when map is loaded": "Automatischer Start, wenn Karte geladen ist", + "Background overlay url": "Background overlay url", "Ball": "Stecknadel", + "Bring feature to center": "Auf Element zentrieren", + "Browse data": "Daten anzeigen", + "Cache proxied request": "Proxycache-Anfrage", "Cancel": "Abbrechen", + "Cancel edits": "Bearbeitungen abbrechen", "Caption": "Überschrift", + "Center map on your location": "Die Karte auf deinen Standort ausrichten", + "Change map background": "Hintergrundkarte ändern", "Change symbol": "Symbol ändern", + "Change tilelayers": "Kachelebenen ändern", + "Choose a preset": "Wähle eine Vorlage", "Choose the data format": "Wähle das Datenformat", + "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer of the feature": "Wähle die Ebene für das Element", + "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Circle": "Kreis", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", + "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", + "Click to continue drawing": "Klicke, um weiter zu zeichnen", + "Click to edit": "Zum Bearbeiten klicken", + "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", + "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", + "Clone": "Duplizieren", + "Clone of {name}": "Duplikat von {name}", + "Clone this feature": "Dieses Element duplizieren", + "Clone this map": "Dupliziere diese Karte", + "Close": "Schließen", "Clustered": "Gruppiert", + "Clustering radius": "Gruppierungsradius", + "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", + "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", + "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", + "Continue line": "Linie fortführen", + "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", + "Coordinates": "Koordinaten", + "Credits": "Credits", + "Current view instead of default map view?": "Aktuelle Kartenansicht anstatt der Standard-Kartenansicht verwenden?", + "Custom background": "Benutzerdefinierter Hintergrund", + "Custom overlay": "Custom overlay", "Data browser": "Datenbrowser", + "Data filters": "Datenfilter", + "Data is browsable": "Daten sind durchsuchbar", "Default": "Standard", + "Default interaction options": "Standard-Interaktionsoptionen", + "Default properties": "Standardeigenschaften", + "Default shape properties": "Standard-Formeigenschaften", "Default zoom level": "Standard-Zoomstufe", "Default: name": "Standard: Name", + "Define link to open in a new window on polygon click.": "Definiere einen externen Link, der sich beim Klick auf die Fläche in einem neuen Fenster öffnet.", + "Delay between two transitions when in play mode": "Verzögerung zwischen zwei Übergängen im Abspielmodus", + "Delete": "Löschen", + "Delete all layers": "Alle Ebenen löschen", + "Delete layer": "Ebene löschen", + "Delete this feature": "Dieses Element löschen", + "Delete this property on all the features": "Dieses Merkmal bei allen Elementen löschen", + "Delete this shape": "Diese Form löschen", + "Delete this vertex (Alt+Click)": "Diesen Eckpunkt löschen (Alt+Klick)", + "Directions from here": "Route von hier", + "Disable editing": "Bearbeiten deaktivieren", "Display label": "Beschriftung anzeigen", + "Display measure": "Display measure", + "Display on load": "Beim Seitenaufruf anzeigen.", "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap-Editor anzeigen", "Display the data layers control": "Datenebenensteuerung anzeigen", "Display the embed control": "Eingebettete Steuerung anzeigen", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Möchtest du eine Überschrift (Fußzeile) anzeigen?", "Do you want to display a minimap?": "Möchtest du eine Übersichtskarte anzeigen?", "Do you want to display a panel on load?": "Möchtest du beim Seitenaufruf eine Seitenleiste anzeigen?", + "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", "Do you want to display popup footer?": "Möchtest du eine Fußzeile im Popup anzeigen?", "Do you want to display the scale control?": "Möchtest du die Maßstabsleiste anzeigen?", "Do you want to display the «more» control?": "Möchtest du die „Mehr“-Schaltfläche anzeigen?", - "Drop": "Tropfen", - "GeoRSS (only link)": "GeoRSS (nur Link)", - "GeoRSS (title + image)": "GeoRSS (Titel + Bild)", - "Heatmap": "Heatmap", - "Icon shape": "Bildzeichenform", - "Icon symbol": "Bildzeichensymbol", - "Inherit": "erben", - "Label direction": "Beschriftungsrichtung", - "Label key": "Anzeigeschlüssel", - "Labels are clickable": "Beschriftungen sind klickbar", - "None": "Keine", - "On the bottom": "An der Unterseite", - "On the left": "An der linken Seite", - "On the right": "An der rechten Seite", - "On the top": "An der Oberseite", - "Popup content template": "Popup Vorlage", - "Set symbol": "Symbol festlegen", - "Side panel": "Seitenleiste", - "Simplify": "Vereinfachen", - "Symbol or url": "Symbol oder URL", - "Table": "Tabelle", - "always": "immer", - "clear": "leeren", - "collapsed": "eingeklappt", - "color": "Farbe", - "dash array": "Linienart", - "define": "festlegen", - "description": "Beschreibung", - "expanded": "ausgeklappt", - "fill": "Füllung", - "fill color": "Farbe der Füllung", - "fill opacity": "Deckkraft der Füllung", - "hidden": "ausgeblendet", - "iframe": "iframe", - "inherit": "erben", - "name": "Name", - "never": "nie", - "new window": "neues Fenster", - "no": "Nein", - "on hover": "beim Draufzeigen", - "opacity": "Deckkraft", - "parent window": "übergeordnetes Fenster", - "stroke": "Umrisslinie", - "weight": "Stärke", - "yes": "Ja", - "{delay} seconds": "{delay} Sekunden", - "# one hash for main heading": "# Eine Raute für große Überschrift", - "## two hashes for second heading": "## Zwei Rauten für mittlere Überschrift", - "### three hashes for third heading": "### Drei Rauten für kleine Überschrift", - "**double star for bold**": "**Zwei Sterne für Fett**", - "*simple star for italic*": "*Ein Stern für Kursiv*", - "--- for an horizontal rule": "--- Für eine horizontale Linie", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", - "About": "Über", - "Action not allowed :(": "Aktion nicht erlaubt :(", - "Activate slideshow mode": "Diashowmodus aktivieren", - "Add a layer": "Ebene hinzufügen", - "Add a line to the current multi": "Linie zur vorhandene Gruppe hinzufügen", - "Add a new property": "Ein Merkmal hinzufügen", - "Add a polygon to the current multi": "Fläche zur vorhandene Gruppe hinzufügen", - "Advanced actions": "Erweiterte Aktionen", - "Advanced properties": "Erweiterte Eigenschaften", - "Advanced transition": "Erweiterter Übergang", - "All properties are imported.": "Alle Merkmale wurden importiert.", - "Allow interactions": "Interaktionen erlauben", - "An error occured": "Es ist ein Fehler aufgetreten.", - "Are you sure you want to cancel your changes?": "Willst du deine Änderungen wirklich abbrechen?", - "Are you sure you want to clone this map and all its datalayers?": "Möchtest du die Karte und ihre Datenebenen wirklich duplizieren?", - "Are you sure you want to delete the feature?": "Möchtest du dieses Element wirklich löschen?", - "Are you sure you want to delete this layer?": "Bist du sicher, dass du diese Ebene löschen willst?", - "Are you sure you want to delete this map?": "Willst du diese Karte wirklich löschen?", - "Are you sure you want to delete this property on all the features?": "Bist du sicher, dass du dieses Merkmal bei allen Elementen löschen willst?", - "Are you sure you want to restore this version?": "Bist du sicher, dass du diese Version wiederherstellen willst?", - "Attach the map to my account": "Die Karte meinem Benutzerkonto zuordnen", - "Auto": "Automatisch", - "Autostart when map is loaded": "Automatischer Start, wenn Karte geladen ist", - "Bring feature to center": "Auf Element zentrieren", - "Browse data": "Daten anzeigen", - "Cancel edits": "Bearbeitungen abbrechen", - "Center map on your location": "Die Karte auf deinen Standort ausrichten", - "Change map background": "Hintergrundkarte ändern", - "Change tilelayers": "Kachelebenen ändern", - "Choose a preset": "Wähle eine Vorlage", - "Choose the format of the data to import": "Wähle das Datenformat für den Import", - "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing": "Klicke, um weiter zu zeichnen", - "Click to edit": "Zum Bearbeiten klicken", - "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", - "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", - "Clone": "Duplizieren", - "Clone of {name}": "Duplikat von {name}", - "Clone this feature": "Dieses Element duplizieren", - "Clone this map": "Dupliziere diese Karte", - "Close": "Schließen", - "Clustering radius": "Gruppierungsradius", - "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", - "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", - "Continue line": "Linie fortführen", - "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", - "Coordinates": "Koordinaten", - "Credits": "Credits", - "Current view instead of default map view?": "Aktuelle Kartenansicht anstatt der Standard-Kartenansicht verwenden?", - "Custom background": "Benutzerdefinierter Hintergrund", - "Data is browsable": "Daten sind durchsuchbar", - "Default interaction options": "Standard-Interaktionsoptionen", - "Default properties": "Standardeigenschaften", - "Default shape properties": "Standard-Formeigenschaften", - "Define link to open in a new window on polygon click.": "Definiere einen externen Link, der sich beim Klick auf die Fläche in einem neuen Fenster öffnet.", - "Delay between two transitions when in play mode": "Verzögerung zwischen zwei Übergängen im Abspielmodus", - "Delete": "Löschen", - "Delete all layers": "Alle Ebenen löschen", - "Delete layer": "Ebene löschen", - "Delete this feature": "Dieses Element löschen", - "Delete this property on all the features": "Dieses Merkmal bei allen Elementen löschen", - "Delete this shape": "Diese Form löschen", - "Delete this vertex (Alt+Click)": "Diesen Eckpunkt löschen (Alt+Klick)", - "Directions from here": "Route von hier", - "Disable editing": "Bearbeiten deaktivieren", - "Display measure": "Display measure", - "Display on load": "Beim Seitenaufruf anzeigen.", "Download": "Herunterladen", "Download data": "Daten herunterladen", "Drag to reorder": "Ziehen zum Neuanordnen", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Einen Marker zeichnen", "Draw a polygon": "Eine Fläche zeichnen", "Draw a polyline": "Eine Linie zeichnen", + "Drop": "Tropfen", "Dynamic": "Dynamisch", "Dynamic properties": "Dynamische Merkmale", "Edit": "Bearbeiten", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Karte einbinden", "Empty": "Leeren", "Enable editing": "Bearbeiten aktivieren", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fehler in der Kachelebenen-URL", "Error while fetching {url}": "Fehler beim Abrufen von {url}", + "Example: key1,key2,key3": "Beispiel: key1,key2,key3", "Exit Fullscreen": "Vollbild beenden", "Extract shape to separate feature": "Form als separates Element extrahieren", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Daten jedes Mal abrufen, wenn sich die Kartenansicht ändert.", "Filter keys": "Schlüssel filtern", "Filter…": "Elemente filtern...", "Format": "Format", "From zoom": "Von Zoomstufe", "Full map data": "Vollständige Kartendaten", + "GeoRSS (only link)": "GeoRSS (nur Link)", + "GeoRSS (title + image)": "GeoRSS (Titel + Bild)", "Go to «{feature}»": "Zu „{feature}“ wechseln", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap-Intensität", "Heatmap radius": "Radius der Heatmap", "Help": "Hilfe", "Hide controls": "Schaltflächen ausblenden", "Home": "Startseite", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Wie stark Linien mit jeder Zoomstufe vereinfacht werden (mehr = bessere Performance und glatteres Aussehen, weniger = präziser)", + "Icon shape": "Bildzeichenform", + "Icon symbol": "Bildzeichensymbol", "If false, the polygon will act as a part of the underlying map.": "Wenn auf Nein gesetzt, dann verhält sich die Fläche als Teil der hinterlegten Karte.", "Iframe export options": "Iframe Exportoptionen", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe mit benutzerdefinierter Höhe (in Pixel): {{{http://iframe.url.com|Höhe}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "In eine neue Ebene importieren", "Imports all umap data, including layers and settings.": "Importiert alle uMap-Daten inklusive Ebenen und Einstellungen", "Include full screen link?": "Link für Vollbildanzeige einbeziehen?", + "Inherit": "erben", "Interaction options": "Interaktionsoptionen", + "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", "Invalid umap data": "Ungütige uMap-Daten", "Invalid umap data in {filename}": "Ungültige uMap-Daten in {filename}", + "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", "Keep current visible layers": "Aktuell eingeblendete Ebenen übernehmen?", + "Label direction": "Beschriftungsrichtung", + "Label key": "Anzeigeschlüssel", + "Labels are clickable": "Beschriftungen sind klickbar", "Latitude": "Geogr. Breite", "Layer": "Ebene", "Layer properties": "Ebeneneigenschaften", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Linien zusammenführen", "More controls": "Mehr Schaltflächen", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Muss ein gültiger CSS-Wert sein (z.B.: DarkBlue oder #123456)", + "No cache": "Kein Cache", "No licence has been set": "Keine Lizenz ausgewählt", "No results": "Keine Ergebnisse", + "No results for these filters": "Keine Ergebnisse für diese Filter", + "None": "Keine", + "On the bottom": "An der Unterseite", + "On the left": "An der linken Seite", + "On the right": "An der rechten Seite", + "On the top": "An der Oberseite", "Only visible features will be downloaded.": "Es werden nur die sichtbaren Elemente heruntergeladen.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Herunterladeleiste öffnen", "Open link in…": "Link öffnen in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Diesen Kartenauschnitt in einem Karten-Editor öffnen, um genauere Daten für OpenStreetMap bereitzustellen.", "Optional intensity property for heatmap": "Optionale Intensitätseigenschaft für die Heatmap", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Optional. Gleich wie Farbe, falls nicht ausgefüllt.", "Override clustering radius (default 80)": "Gruppierungsradius überschreiben (Standard: 80)", "Override heatmap radius (default 25)": "Heatmap-Radius überschreiben (Standard: 25)", + "Paste your data here": "Füge deine Daten hier ein", + "Permalink": "Permalink", + "Permanent credits": "Dauerhafte Danksagung", + "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", "Please be sure the licence is compliant with your use.": "Stelle bitte sicher, dass die Lizenz mit deiner Verwendung kompatibel ist.", "Please choose a format": "Bitte wähle ein Format", "Please enter the name of the property": "Bitte gib den Namen des Merkmals ein", "Please enter the new name of this property": "Bitte gib den neuen Namen des Merkmals ein", + "Please save the map first": "Bitte zuerst die Karte speichern", + "Popup": "Popup", + "Popup (large)": "Popup (groß)", + "Popup content style": "Popupinhaltstil", + "Popup content template": "Popup Vorlage", + "Popup shape": "Popupform", "Powered by Leaflet and Django, glued by uMap project.": "Bereitgestellt von Leaflet und Django, zusammengebastelt vom uMap Projekt.", "Problem in the response": "Fehlerhafte Serverantwort", "Problem in the response format": "Ungültiges Format der Serverantwort", @@ -262,12 +262,17 @@ var locale = { "See all": "Alle anzeigen", "See data layers": "Datenebenen ansehen", "See full screen": "Vollbildanzeige", + "Select data": "Wähle Daten aus", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Setze es auf Nein, um diese Ebene in der Diashow, im Datenbrowser, in der Popup-Navigation,... auszublenden.", + "Set symbol": "Symbol festlegen", "Shape properties": "Formeigenschaften", "Short URL": "Kurze URL", "Short credits": "Kurze Credits", "Show/hide layer": "Ebene einblenden/ausblenden", + "Side panel": "Seitenleiste", "Simple link: [[http://example.com]]": "Einfacher Link: [[http://beispiel.com]]", + "Simplify": "Vereinfachen", + "Skipping unknown geometry.type: {type}": "Überspringe unbekannten Geometrietyp: {type}", "Slideshow": "Diashow", "Smart transitions": "Weiche Übergänge", "Sort key": "Sortierschlüssel", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Unterstütztes Schema", "Supported variables that will be dynamically replaced": "Unterstützte Variablen, die dynamisch ersetzt werden", "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 kann entweder ein Unicodezeichen oder eine URL sein. Du kannst Elementmerkmale als Variablen nutzen: z.B.: bei \"http://myserver.org/images/{name}.png\" wird die {name}-Variable durch den Wert von \"name\" jeden Markers ersetzt.", + "Symbol or url": "Symbol oder URL", "TMS format": "TMS-Format", + "Table": "Tabelle", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "The zoom and center have been set.": "Zoom und Mittelpunkt wurden gesetzt.", "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", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Wer darf bearbeiten", "Who can view": "Wer darf betrachten", "Will be displayed in the bottom right corner of the map": "Wird in rechten unteren Ecke der Karte angezeigt", + "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein", "Will be visible in the caption of the map": "Wird in der Überschrift der Karte angezeigt", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hoppla! Jemand anders hat die Daten bearbeitet. Du kannst trotzdem speichern, von anderen vorgenommene Änderungen werden dabei aber gelöscht.", "You have unsaved changes.": "Es gibt ungespeicherte Änderungen.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zum vorherigen zoomen", "Zoom to this feature": "Auf dieses Element zoomen", "Zoom to this place": "Auf diesen Ort zoomen", + "always": "immer", "attribution": "Copyright-Hinweis", "by": "von", + "clear": "leeren", + "collapsed": "eingeklappt", + "color": "Farbe", + "dash array": "Linienart", + "define": "festlegen", + "description": "Beschreibung", "display name": "Namen anzeigen", + "expanded": "ausgeklappt", + "fill": "Füllung", + "fill color": "Farbe der Füllung", + "fill opacity": "Deckkraft der Füllung", "height": "Höhe", + "hidden": "ausgeblendet", + "iframe": "iframe", + "inherit": "erben", "licence": "Lizenz", "max East": "Östliche Begrenzung", "max North": "Nördliche Begrenzung", @@ -332,10 +355,21 @@ var locale = { "max West": "Westliche Begrenzung", "max zoom": "höchste Zoomstufe", "min zoom": "kleinste Zoomstufe", + "name": "Name", + "never": "nie", + "new window": "neues Fenster", "next": "weiter", + "no": "Nein", + "on hover": "beim Draufzeigen", + "opacity": "Deckkraft", + "parent window": "übergeordnetes Fenster", "previous": "zurück", + "stroke": "Umrisslinie", + "weight": "Stärke", "width": "Breite", + "yes": "Ja", "{count} errors during import: {message}": "{count} Fehler während des Imports: {message}", + "{delay} seconds": "{delay} Sekunden", "Measure distances": "Abstände messen", "NM": "NM", "kilometers": "Kilometer", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "Meilen", "nautical miles": "Nautische Meilen", - "{area} acres": "{area} ac", - "{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 Tag", - "1 hour": "1 Stunde", - "5 min": "5 min", - "Cache proxied request": "Proxycache-Anfrage", - "No cache": "Kein Cache", - "Popup": "Popup", - "Popup (large)": "Popup (groß)", - "Popup content style": "Popupinhaltstil", - "Popup shape": "Popupform", - "Skipping unknown geometry.type: {type}": "Überspringe unbekannten Geometrietyp: {type}", - "Optional.": "Optional.", - "Paste your data here": "Füge deine Daten hier ein", - "Please save the map first": "Bitte zuerst die Karte speichern", - "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.", - "Advanced filter keys": "Erweiterte Filterschlüssel", - "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", - "Data filters": "Datenfilter", - "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", - "Example: key1,key2,key3": "Beispiel: key1,key2,key3", - "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", - "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", - "No results for these filters": "Keine Ergebnisse für diese Filter", - "Permanent credits": "Dauerhafte Danksagung", - "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", - "Select data": "Wähle Daten aus", - "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" + "{area} acres": "{area} ac", + "{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" }; L.registerLocale("de", locale); -L.setLocale("de"); +L.setLocale("de"); \ No newline at end of file diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 578261ca..16e68807 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# Eine Raute für große Überschrift", + "## two hashes for second heading": "## Zwei Rauten für mittlere Überschrift", + "### three hashes for third heading": "### Drei Rauten für kleine Überschrift", + "**double star for bold**": "**Zwei Sterne für Fett**", + "*simple star for italic*": "*Ein Stern für Kursiv*", + "--- for an horizontal rule": "--- Für eine horizontale Linie", + "1 day": "1 Tag", + "1 hour": "1 Stunde", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", + "About": "Über", + "Action not allowed :(": "Aktion nicht erlaubt :(", + "Activate slideshow mode": "Diashowmodus aktivieren", + "Add a layer": "Ebene hinzufügen", + "Add a line to the current multi": "Linie zur vorhandene Gruppe hinzufügen", + "Add a new property": "Ein Merkmal hinzufügen", + "Add a polygon to the current multi": "Fläche zur vorhandene Gruppe hinzufügen", "Add symbol": "Symbol hinzufügen", + "Advanced actions": "Erweiterte Aktionen", + "Advanced filter keys": "Erweiterte Filterschlüssel", + "Advanced properties": "Erweiterte Eigenschaften", + "Advanced transition": "Erweiterter Übergang", + "All properties are imported.": "Alle Merkmale wurden importiert.", + "Allow interactions": "Interaktionen erlauben", "Allow scroll wheel zoom?": "Zoomen mit dem Mausrad erlauben?", + "An error occured": "Es ist ein Fehler aufgetreten.", + "Are you sure you want to cancel your changes?": "Willst du deine Änderungen wirklich abbrechen?", + "Are you sure you want to clone this map and all its datalayers?": "Möchtest du die Karte und ihre Datenebenen wirklich duplizieren?", + "Are you sure you want to delete the feature?": "Möchtest du dieses Element wirklich löschen?", + "Are you sure you want to delete this layer?": "Bist du sicher, dass du diese Ebene löschen willst?", + "Are you sure you want to delete this map?": "Willst du diese Karte wirklich löschen?", + "Are you sure you want to delete this property on all the features?": "Bist du sicher, dass du dieses Merkmal bei allen Elementen löschen willst?", + "Are you sure you want to restore this version?": "Bist du sicher, dass du diese Version wiederherstellen willst?", + "Attach the map to my account": "Die Karte meinem Benutzerkonto zuordnen", + "Auto": "Automatisch", "Automatic": "Automatisch", + "Autostart when map is loaded": "Automatischer Start, wenn Karte geladen ist", + "Background overlay url": "Background overlay url", "Ball": "Stecknadel", + "Bring feature to center": "Auf Element zentrieren", + "Browse data": "Daten anzeigen", + "Cache proxied request": "Proxycache-Anfrage", "Cancel": "Abbrechen", + "Cancel edits": "Bearbeitungen abbrechen", "Caption": "Überschrift", + "Center map on your location": "Die Karte auf deinen Standort ausrichten", + "Change map background": "Hintergrundkarte ändern", "Change symbol": "Symbol ändern", + "Change tilelayers": "Kachelebenen ändern", + "Choose a preset": "Wähle eine Vorlage", "Choose the data format": "Wähle das Datenformat", + "Choose the format of the data to import": "Wähle das Datenformat für den Import", "Choose the layer of the feature": "Wähle die Ebene für das Element", + "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", "Circle": "Kreis", + "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", + "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", + "Click to continue drawing": "Klicke, um weiter zu zeichnen", + "Click to edit": "Zum Bearbeiten klicken", + "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", + "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", + "Clone": "Duplizieren", + "Clone of {name}": "Duplikat von {name}", + "Clone this feature": "Dieses Element duplizieren", + "Clone this map": "Dupliziere diese Karte", + "Close": "Schließen", "Clustered": "Gruppiert", + "Clustering radius": "Gruppierungsradius", + "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", + "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", + "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", + "Continue line": "Linie fortführen", + "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", + "Coordinates": "Koordinaten", + "Credits": "Credits", + "Current view instead of default map view?": "Aktuelle Kartenansicht anstatt der Standard-Kartenansicht verwenden?", + "Custom background": "Benutzerdefinierter Hintergrund", + "Custom overlay": "Custom overlay", "Data browser": "Datenbrowser", + "Data filters": "Datenfilter", + "Data is browsable": "Daten sind durchsuchbar", "Default": "Standard", + "Default interaction options": "Standard-Interaktionsoptionen", + "Default properties": "Standardeigenschaften", + "Default shape properties": "Standard-Formeigenschaften", "Default zoom level": "Standard-Zoomstufe", "Default: name": "Standard: Name", + "Define link to open in a new window on polygon click.": "Definiere einen externen Link, der sich beim Klick auf die Fläche in einem neuen Fenster öffnet.", + "Delay between two transitions when in play mode": "Verzögerung zwischen zwei Übergängen im Abspielmodus", + "Delete": "Löschen", + "Delete all layers": "Alle Ebenen löschen", + "Delete layer": "Ebene löschen", + "Delete this feature": "Dieses Element löschen", + "Delete this property on all the features": "Dieses Merkmal bei allen Elementen löschen", + "Delete this shape": "Diese Form löschen", + "Delete this vertex (Alt+Click)": "Diesen Eckpunkt löschen (Alt+Klick)", + "Directions from here": "Route von hier", + "Disable editing": "Bearbeiten deaktivieren", "Display label": "Beschriftung anzeigen", + "Display measure": "Display measure", + "Display on load": "Beim Seitenaufruf anzeigen.", "Display the control to open OpenStreetMap editor": "Den Button zum OpenStreetMap-Editor anzeigen", "Display the data layers control": "Datenebenensteuerung anzeigen", "Display the embed control": "Eingebettete Steuerung anzeigen", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Möchtest du eine Überschrift (Fußzeile) anzeigen?", "Do you want to display a minimap?": "Möchtest du eine Übersichtskarte anzeigen?", "Do you want to display a panel on load?": "Möchtest du beim Seitenaufruf eine Seitenleiste anzeigen?", + "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", "Do you want to display popup footer?": "Möchtest du eine Fußzeile im Popup anzeigen?", "Do you want to display the scale control?": "Möchtest du die Maßstabsleiste anzeigen?", "Do you want to display the «more» control?": "Möchtest du die „Mehr“-Schaltfläche anzeigen?", - "Drop": "Tropfen", - "GeoRSS (only link)": "GeoRSS (nur Link)", - "GeoRSS (title + image)": "GeoRSS (Titel + Bild)", - "Heatmap": "Heatmap", - "Icon shape": "Bildzeichenform", - "Icon symbol": "Bildzeichensymbol", - "Inherit": "erben", - "Label direction": "Beschriftungsrichtung", - "Label key": "Anzeigeschlüssel", - "Labels are clickable": "Beschriftungen sind klickbar", - "None": "Keine", - "On the bottom": "An der Unterseite", - "On the left": "An der linken Seite", - "On the right": "An der rechten Seite", - "On the top": "An der Oberseite", - "Popup content template": "Popup Vorlage", - "Set symbol": "Symbol festlegen", - "Side panel": "Seitenleiste", - "Simplify": "Vereinfachen", - "Symbol or url": "Symbol oder URL", - "Table": "Tabelle", - "always": "immer", - "clear": "leeren", - "collapsed": "eingeklappt", - "color": "Farbe", - "dash array": "Linienart", - "define": "festlegen", - "description": "Beschreibung", - "expanded": "ausgeklappt", - "fill": "Füllung", - "fill color": "Farbe der Füllung", - "fill opacity": "Deckkraft der Füllung", - "hidden": "ausgeblendet", - "iframe": "iframe", - "inherit": "erben", - "name": "Name", - "never": "nie", - "new window": "neues Fenster", - "no": "Nein", - "on hover": "beim Draufzeigen", - "opacity": "Deckkraft", - "parent window": "übergeordnetes Fenster", - "stroke": "Umrisslinie", - "weight": "Stärke", - "yes": "Ja", - "{delay} seconds": "{delay} Sekunden", - "# one hash for main heading": "# Eine Raute für große Überschrift", - "## two hashes for second heading": "## Zwei Rauten für mittlere Überschrift", - "### three hashes for third heading": "### Drei Rauten für kleine Überschrift", - "**double star for bold**": "**Zwei Sterne für Fett**", - "*simple star for italic*": "*Ein Stern für Kursiv*", - "--- for an horizontal rule": "--- Für eine horizontale Linie", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Eine kommagetrente Zahlenfolge, die die Linienart (Strichmuster) der Kontur definiert, z. B.: \"5, 10, 15\".", - "About": "Über", - "Action not allowed :(": "Aktion nicht erlaubt :(", - "Activate slideshow mode": "Diashowmodus aktivieren", - "Add a layer": "Ebene hinzufügen", - "Add a line to the current multi": "Linie zur vorhandene Gruppe hinzufügen", - "Add a new property": "Ein Merkmal hinzufügen", - "Add a polygon to the current multi": "Fläche zur vorhandene Gruppe hinzufügen", - "Advanced actions": "Erweiterte Aktionen", - "Advanced properties": "Erweiterte Eigenschaften", - "Advanced transition": "Erweiterter Übergang", - "All properties are imported.": "Alle Merkmale wurden importiert.", - "Allow interactions": "Interaktionen erlauben", - "An error occured": "Es ist ein Fehler aufgetreten.", - "Are you sure you want to cancel your changes?": "Willst du deine Änderungen wirklich abbrechen?", - "Are you sure you want to clone this map and all its datalayers?": "Möchtest du die Karte und ihre Datenebenen wirklich duplizieren?", - "Are you sure you want to delete the feature?": "Möchtest du dieses Element wirklich löschen?", - "Are you sure you want to delete this layer?": "Bist du sicher, dass du diese Ebene löschen willst?", - "Are you sure you want to delete this map?": "Willst du diese Karte wirklich löschen?", - "Are you sure you want to delete this property on all the features?": "Bist du sicher, dass du dieses Merkmal bei allen Elementen löschen willst?", - "Are you sure you want to restore this version?": "Bist du sicher, dass du diese Version wiederherstellen willst?", - "Attach the map to my account": "Die Karte meinem Benutzerkonto zuordnen", - "Auto": "Automatisch", - "Autostart when map is loaded": "Automatischer Start, wenn Karte geladen ist", - "Bring feature to center": "Auf Element zentrieren", - "Browse data": "Daten anzeigen", - "Cancel edits": "Bearbeitungen abbrechen", - "Center map on your location": "Die Karte auf deinen Standort ausrichten", - "Change map background": "Hintergrundkarte ändern", - "Change tilelayers": "Kachelebenen ändern", - "Choose a preset": "Wähle eine Vorlage", - "Choose the format of the data to import": "Wähle das Datenformat für den Import", - "Choose the layer to import in": "Wähle die Ebene, in die importiert werden soll", - "Click last point to finish shape": "Klicke den letzten Punkt an, um die Form abzuschließen", - "Click to add a marker": "Klicke, um einen Marker hinzuzufügen", - "Click to continue drawing": "Klicke, um weiter zu zeichnen", - "Click to edit": "Zum Bearbeiten klicken", - "Click to start drawing a line": "Klicke, um eine Linie zu zeichnen", - "Click to start drawing a polygon": "Klicke, um eine Fläche zu zeichnen", - "Clone": "Duplizieren", - "Clone of {name}": "Duplikat von {name}", - "Clone this feature": "Dieses Element duplizieren", - "Clone this map": "Dupliziere diese Karte", - "Close": "Schließen", - "Clustering radius": "Gruppierungsradius", - "Comma separated list of properties to use when filtering features": "Kommagetrennte Liste der Merkmale, welche beim Filtern von Elementen verwendet werden sollen", - "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-, oder Semikolongetrennte Werte. SRS WGS84 ist impliziert. Nur Punktgeometrien werden importiert. Beim Import wird nach Spaltenüberschriften mit jeder Nennung von „lat“ und „lon“ am Anfang der Überschrift gesucht (ohne Beachtung von Groß-/Kleinschreibung). Alle anderen Spalten werden als Merkmale importiert.", - "Continue line": "Linie fortführen", - "Continue line (Ctrl+Click)": "Linie weiterzeichnen (Strg+Klick)", - "Coordinates": "Koordinaten", - "Credits": "Credits", - "Current view instead of default map view?": "Aktuelle Kartenansicht anstatt der Standard-Kartenansicht verwenden?", - "Custom background": "Benutzerdefinierter Hintergrund", - "Data is browsable": "Daten sind durchsuchbar", - "Default interaction options": "Standard-Interaktionsoptionen", - "Default properties": "Standardeigenschaften", - "Default shape properties": "Standard-Formeigenschaften", - "Define link to open in a new window on polygon click.": "Definiere einen externen Link, der sich beim Klick auf die Fläche in einem neuen Fenster öffnet.", - "Delay between two transitions when in play mode": "Verzögerung zwischen zwei Übergängen im Abspielmodus", - "Delete": "Löschen", - "Delete all layers": "Alle Ebenen löschen", - "Delete layer": "Ebene löschen", - "Delete this feature": "Dieses Element löschen", - "Delete this property on all the features": "Dieses Merkmal bei allen Elementen löschen", - "Delete this shape": "Diese Form löschen", - "Delete this vertex (Alt+Click)": "Diesen Eckpunkt löschen (Alt+Klick)", - "Directions from here": "Route von hier", - "Disable editing": "Bearbeiten deaktivieren", - "Display measure": "Display measure", - "Display on load": "Beim Seitenaufruf anzeigen.", "Download": "Herunterladen", "Download data": "Daten herunterladen", "Drag to reorder": "Ziehen zum Neuanordnen", @@ -159,6 +125,7 @@ "Draw a marker": "Einen Marker zeichnen", "Draw a polygon": "Eine Fläche zeichnen", "Draw a polyline": "Eine Linie zeichnen", + "Drop": "Tropfen", "Dynamic": "Dynamisch", "Dynamic properties": "Dynamische Merkmale", "Edit": "Bearbeiten", @@ -172,23 +139,31 @@ "Embed the map": "Karte einbinden", "Empty": "Leeren", "Enable editing": "Bearbeiten aktivieren", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fehler in der Kachelebenen-URL", "Error while fetching {url}": "Fehler beim Abrufen von {url}", + "Example: key1,key2,key3": "Beispiel: key1,key2,key3", "Exit Fullscreen": "Vollbild beenden", "Extract shape to separate feature": "Form als separates Element extrahieren", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Daten jedes Mal abrufen, wenn sich die Kartenansicht ändert.", "Filter keys": "Schlüssel filtern", "Filter…": "Elemente filtern...", "Format": "Format", "From zoom": "Von Zoomstufe", "Full map data": "Vollständige Kartendaten", + "GeoRSS (only link)": "GeoRSS (nur Link)", + "GeoRSS (title + image)": "GeoRSS (Titel + Bild)", "Go to «{feature}»": "Zu „{feature}“ wechseln", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap-Intensität", "Heatmap radius": "Radius der Heatmap", "Help": "Hilfe", "Hide controls": "Schaltflächen ausblenden", "Home": "Startseite", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Wie stark Linien mit jeder Zoomstufe vereinfacht werden (mehr = bessere Performance und glatteres Aussehen, weniger = präziser)", + "Icon shape": "Bildzeichenform", + "Icon symbol": "Bildzeichensymbol", "If false, the polygon will act as a part of the underlying map.": "Wenn auf Nein gesetzt, dann verhält sich die Fläche als Teil der hinterlegten Karte.", "Iframe export options": "Iframe Exportoptionen", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe mit benutzerdefinierter Höhe (in Pixel): {{{http://iframe.url.com|Höhe}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "In eine neue Ebene importieren", "Imports all umap data, including layers and settings.": "Importiert alle uMap-Daten inklusive Ebenen und Einstellungen", "Include full screen link?": "Link für Vollbildanzeige einbeziehen?", + "Inherit": "erben", "Interaction options": "Interaktionsoptionen", + "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", "Invalid umap data": "Ungütige uMap-Daten", "Invalid umap data in {filename}": "Ungültige uMap-Daten in {filename}", + "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", "Keep current visible layers": "Aktuell eingeblendete Ebenen übernehmen?", + "Label direction": "Beschriftungsrichtung", + "Label key": "Anzeigeschlüssel", + "Labels are clickable": "Beschriftungen sind klickbar", "Latitude": "Geogr. Breite", "Layer": "Ebene", "Layer properties": "Ebeneneigenschaften", @@ -225,20 +206,39 @@ "Merge lines": "Linien zusammenführen", "More controls": "Mehr Schaltflächen", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Muss ein gültiger CSS-Wert sein (z.B.: DarkBlue oder #123456)", + "No cache": "Kein Cache", "No licence has been set": "Keine Lizenz ausgewählt", "No results": "Keine Ergebnisse", + "No results for these filters": "Keine Ergebnisse für diese Filter", + "None": "Keine", + "On the bottom": "An der Unterseite", + "On the left": "An der linken Seite", + "On the right": "An der rechten Seite", + "On the top": "An der Oberseite", "Only visible features will be downloaded.": "Es werden nur die sichtbaren Elemente heruntergeladen.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Herunterladeleiste öffnen", "Open link in…": "Link öffnen in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Diesen Kartenauschnitt in einem Karten-Editor öffnen, um genauere Daten für OpenStreetMap bereitzustellen.", "Optional intensity property for heatmap": "Optionale Intensitätseigenschaft für die Heatmap", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Optional. Gleich wie Farbe, falls nicht ausgefüllt.", "Override clustering radius (default 80)": "Gruppierungsradius überschreiben (Standard: 80)", "Override heatmap radius (default 25)": "Heatmap-Radius überschreiben (Standard: 25)", + "Paste your data here": "Füge deine Daten hier ein", + "Permalink": "Permalink", + "Permanent credits": "Dauerhafte Danksagung", + "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", "Please be sure the licence is compliant with your use.": "Stelle bitte sicher, dass die Lizenz mit deiner Verwendung kompatibel ist.", "Please choose a format": "Bitte wähle ein Format", "Please enter the name of the property": "Bitte gib den Namen des Merkmals ein", "Please enter the new name of this property": "Bitte gib den neuen Namen des Merkmals ein", + "Please save the map first": "Bitte zuerst die Karte speichern", + "Popup": "Popup", + "Popup (large)": "Popup (groß)", + "Popup content style": "Popupinhaltstil", + "Popup content template": "Popup Vorlage", + "Popup shape": "Popupform", "Powered by Leaflet and Django, glued by uMap project.": "Bereitgestellt von Leaflet und Django, zusammengebastelt vom uMap Projekt.", "Problem in the response": "Fehlerhafte Serverantwort", "Problem in the response format": "Ungültiges Format der Serverantwort", @@ -262,12 +262,17 @@ "See all": "Alle anzeigen", "See data layers": "Datenebenen ansehen", "See full screen": "Vollbildanzeige", + "Select data": "Wähle Daten aus", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Setze es auf Nein, um diese Ebene in der Diashow, im Datenbrowser, in der Popup-Navigation,... auszublenden.", + "Set symbol": "Symbol festlegen", "Shape properties": "Formeigenschaften", "Short URL": "Kurze URL", "Short credits": "Kurze Credits", "Show/hide layer": "Ebene einblenden/ausblenden", + "Side panel": "Seitenleiste", "Simple link: [[http://example.com]]": "Einfacher Link: [[http://beispiel.com]]", + "Simplify": "Vereinfachen", + "Skipping unknown geometry.type: {type}": "Überspringe unbekannten Geometrietyp: {type}", "Slideshow": "Diashow", "Smart transitions": "Weiche Übergänge", "Sort key": "Sortierschlüssel", @@ -280,10 +285,13 @@ "Supported scheme": "Unterstütztes Schema", "Supported variables that will be dynamically replaced": "Unterstützte Variablen, die dynamisch ersetzt werden", "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 kann entweder ein Unicodezeichen oder eine URL sein. Du kannst Elementmerkmale als Variablen nutzen: z.B.: bei \"http://myserver.org/images/{name}.png\" wird die {name}-Variable durch den Wert von \"name\" jeden Markers ersetzt.", + "Symbol or url": "Symbol oder URL", "TMS format": "TMS-Format", + "Table": "Tabelle", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "The zoom and center have been set.": "Zoom und Mittelpunkt wurden gesetzt.", "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", @@ -310,6 +318,7 @@ "Who can edit": "Wer darf bearbeiten", "Who can view": "Wer darf betrachten", "Will be displayed in the bottom right corner of the map": "Wird in rechten unteren Ecke der Karte angezeigt", + "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein", "Will be visible in the caption of the map": "Wird in der Überschrift der Karte angezeigt", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hoppla! Jemand anders hat die Daten bearbeitet. Du kannst trotzdem speichern, von anderen vorgenommene Änderungen werden dabei aber gelöscht.", "You have unsaved changes.": "Es gibt ungespeicherte Änderungen.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zum vorherigen zoomen", "Zoom to this feature": "Auf dieses Element zoomen", "Zoom to this place": "Auf diesen Ort zoomen", + "always": "immer", "attribution": "Copyright-Hinweis", "by": "von", + "clear": "leeren", + "collapsed": "eingeklappt", + "color": "Farbe", + "dash array": "Linienart", + "define": "festlegen", + "description": "Beschreibung", "display name": "Namen anzeigen", + "expanded": "ausgeklappt", + "fill": "Füllung", + "fill color": "Farbe der Füllung", + "fill opacity": "Deckkraft der Füllung", "height": "Höhe", + "hidden": "ausgeblendet", + "iframe": "iframe", + "inherit": "erben", "licence": "Lizenz", "max East": "Östliche Begrenzung", "max North": "Nördliche Begrenzung", @@ -332,10 +355,21 @@ "max West": "Westliche Begrenzung", "max zoom": "höchste Zoomstufe", "min zoom": "kleinste Zoomstufe", + "name": "Name", + "never": "nie", + "new window": "neues Fenster", "next": "weiter", + "no": "Nein", + "on hover": "beim Draufzeigen", + "opacity": "Deckkraft", + "parent window": "übergeordnetes Fenster", "previous": "zurück", + "stroke": "Umrisslinie", + "weight": "Stärke", "width": "Breite", + "yes": "Ja", "{count} errors during import: {message}": "{count} Fehler während des Imports: {message}", + "{delay} seconds": "{delay} Sekunden", "Measure distances": "Abstände messen", "NM": "NM", "kilometers": "Kilometer", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "Meilen", "nautical miles": "Nautische Meilen", - "{area} acres": "{area} ac", - "{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 Tag", - "1 hour": "1 Stunde", - "5 min": "5 min", - "Cache proxied request": "Proxycache-Anfrage", - "No cache": "Kein Cache", - "Popup": "Popup", - "Popup (large)": "Popup (groß)", - "Popup content style": "Popupinhaltstil", - "Popup shape": "Popupform", - "Skipping unknown geometry.type: {type}": "Überspringe unbekannten Geometrietyp: {type}", - "Optional.": "Optional.", - "Paste your data here": "Füge deine Daten hier ein", - "Please save the map first": "Bitte zuerst die Karte speichern", - "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.", - "Advanced filter keys": "Erweiterte Filterschlüssel", - "Comma separated list of properties to use for checkbox filtering": "Kommaseparierte Eigenschaftsliste zur Checkbox-Filterung", - "Data filters": "Datenfilter", - "Do you want to display caption menus?": "Möchtest du Beschriftungsmenüs anzeigen?", - "Example: key1,key2,key3": "Beispiel: key1,key2,key3", - "Invalid latitude or longitude": "Ungültiger Längen- oder Breitengrad", - "Invalide property name: {name}": "Ungültiger Eigenschaftsname: {name}", - "No results for these filters": "Keine Ergebnisse für diese Filter", - "Permanent credits": "Dauerhafte Danksagung", - "Permanent credits background": "Dauerhafte Danksagung im Hintergrund", - "Select data": "Wähle Daten aus", - "Will be permanently visible in the bottom left corner of the map": "Wird in der unteren linken Ecke der Karte permanent sichtbar sein" -} + "{area} acres": "{area} ac", + "{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" +} \ No newline at end of file diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 7901726d..53c0636a 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- για οριζόντιο διαχωριστικό", + "1 day": "1 μέρα", + "1 hour": "1 ώρα", + "5 min": "5 λεπτά", + "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": "Ενεργοποίηση λειτουργίας παρουσίασης", + "Add a layer": "Προσθήκη επιπέδου", + "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο", + "Add a new property": "Προσθήκη νέας ιδιότητας", + "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο", "Add symbol": "Προσθήκη συμβόλου", + "Advanced actions": "Εξειδικευμένες ενέργειες", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Εξειδικευμένες ιδιότητες", + "Advanced transition": "Εξειδικευμένη μετάβαση", + "All properties are imported.": "Όλες οι ιδιότητες έχουν εισαχθεί", + "Allow interactions": "Επιτρέπονται αλληλεπιδράσεις", "Allow scroll wheel zoom?": "Επιτρέπεται κύλιση εστίασης", + "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": "Αυτόματα", "Automatic": "Αυτόματα", + "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη", + "Background overlay url": "Background overlay url", "Ball": "Καρφίτσα", + "Bring feature to center": "Κεντράρισμα του στοιχείου", + "Browse data": "Περιήγηση δεδομένων", + "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", "Cancel": "Άκυρο", + "Cancel edits": "Ακύρωση επεξεργασίας", "Caption": "Λεζάντα", + "Center map on your location": "Κεντράρισμα του χάρτη στην τοποθεσία σας", + "Change map background": "Αλλαγή υποβάθρου του χάρτη", "Change symbol": "Αλλαγή συμβόλου", + "Change tilelayers": "Αλλαγή χαρτογραφικού υπόβαθρου", + "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the data format": "Επιλογή μορφοποίησης δεδομένων", + "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer of the feature": "Επιλέξτε το επίπεδο του στοιχείου", + "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Circle": "Κύκλος", + "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": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", + "Clone": "Κλωνοποίηση", + "Clone of {name}": "Κλωνοποίηση του {name}", + "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", + "Clone this map": "Κλωνοποίηση αυτού του χάρτη", + "Close": "Κλείσιμο", "Clustered": "Σύμπλεγμα", + "Clustering radius": "Ακτίνα συμπλέγματος", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", + "Custom background": "Προσαρμοσμένο υπόβαθρο", + "Custom overlay": "Custom overlay", "Data browser": "Περιηγητής δεδομένων", + "Data filters": "Data filters", + "Data is browsable": "Τα δεδομένα είναι περιηγήσιμα", "Default": "Προεπιλογή", + "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", + "Default properties": "Προεπιλεγμένες ιδιότητες", + "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", "Default zoom level": "Προεπιλεγμένο επίπεδο μεγέθυνσης", "Default: name": "Προεπιλογή: Όνομα", + "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 property on all the features": "Διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία", + "Delete this shape": "Διαγραφή σχήματος", + "Delete this vertex (Alt+Click)": "Διαγραφή αυτής της κορυφής (Alt+Click)", + "Directions from here": "Κατευθύνσεις από εδώ", + "Disable editing": "Απενεργοποίηση επεξεργασίας", "Display label": "Εμφάνιση ετικέτας", + "Display measure": "Εμφάνιση μέτρησης", + "Display on load": "Εμφάνιση κατά την φόρτωση", "Display the control to open OpenStreetMap editor": "Εμφάνιση εικονιδίου επεξεργασίας OpenStreetMap", "Display the data layers control": "Εμφάνιση εικονιδίου επιπέδων με δεδομένα", "Display the embed control": "Εμφάνιση εικονιδίου διαμοιρασμού", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Οι ετικέτες είναι ενεργές", - "None": "Κανένα", - "On the bottom": "Στο κάτω μέρος", - "On the left": "Στο αριστερό μέρος", - "On the right": "Στο δεξί μέρος", - "On the top": "Στο πάνω μέρος", - "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", - "Set symbol": "Ορισμός συμβόλου", - "Side panel": "Πλευρική εργαλειοθήκη", - "Simplify": "Απλοποίηση", - "Symbol or url": "Σύμβολο ή σύνδεσμος", - "Table": "Πίνακας", - "always": "πάντα", - "clear": "Εκκαθάριση", - "collapsed": "Κατέρρευσε", - "color": "Χρώμα", - "dash array": "Διάταξη παύλας", - "define": "Ορισμός", - "description": "Περιγραφή", - "expanded": "Αναπτυγμένος", - "fill": "Γέμισμα", - "fill color": "Χρώμα γεμίσματος", - "fill opacity": "Αδιαφάνεια γεμίσματος", - "hidden": "Απόκρυψη", - "iframe": "iframe", - "inherit": "Κληρονομημένο", - "name": "Όνομα", - "never": "Ποτέ", - "new window": "Νέο Παράθυρο", - "no": "όχι", - "on hover": "Με αιώρηση", - "opacity": "Αδιαφάνεια", - "parent window": "Γονικό παράθυρο", - "stroke": "Πινέλο", - "weight": "Βάρος", - "yes": "ναι", - "{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\".", - "About": "Σχετικά", - "Action not allowed :(": "Μη επιτρεπόμενη ενέργεια :(", - "Activate slideshow mode": "Ενεργοποίηση λειτουργίας παρουσίασης", - "Add a layer": "Προσθήκη επιπέδου", - "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": "Σύνδεση του χάρτη με τον λογαριασμό μου", - "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": "Πατήστε για συνέχεια σχεδίασης", - "Click to edit": "Πατήστε για επεξεργασία", - "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", - "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", - "Clone": "Κλωνοποίηση", - "Clone of {name}": "Κλωνοποίηση του {name}", - "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", - "Clone this map": "Κλωνοποίηση αυτού του χάρτη", - "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. Εισάγονται μόνο γεωμετρίες σημείων. Η διαδικασία εισαγωγής ελέγχει τις επικεφαλίδες των στηλών για τις ενδείξεις «lat» και «lon» στην αρχή της επικεφαλίδας και κάνει διάκριση πεζών - κεφαλαίων γραμμάτων. Όλες οι άλλες στήλες εισάγονται ως ιδιότητες. ", - "Continue line": "Συνέχεια γραμμής", - "Continue line (Ctrl+Click)": "Συνέχεια γραμμής (Ctrl+Click)", - "Coordinates": "Συντεταγμένες", - "Credits": "Εύσημα", - "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", - "Custom background": "Προσαρμοσμένο υπόβαθρο", - "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": "Διαγραφή", - "Delete all layers": "Διαγραφή όλων των επιπέδων", - "Delete layer": "Διαγραφή επιπέδου", - "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": "Εμφάνιση κατά την φόρτωση", "Download": "Λήψη", "Download data": "Λήψη δεδομένων", "Drag to reorder": "Σύρετε για αναδιάταξη", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Σχεδιασμός σημείου", "Draw a polygon": "Σχεδιασμός πολυγώνου", "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής", + "Drop": "Σταγόνα", "Dynamic": "Δυναμική", "Dynamic properties": "Δυναμικές ιδιότητες", "Edit": "Επεξεργασία", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Ένθεση του χάρτη", "Empty": "Κενό", "Enable editing": "Ενεργοποίηση επεξεργασίας", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου", "Error while fetching {url}": "Σφάλμα κατά την ανάκτηση {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Κλείσιμο πλήρους οθόνης", "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", + "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", "Filter…": "Φίλτρα...", "Format": "Μορφοποίηση", "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", + "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", + "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Heatmap": "Χάρτης θερμότητας", "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", "Hide controls": "Απόκρυψη εργαλείων ελέγχου", "Home": "Αρχική", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο εστίασης (περισσότερο = καλύτερη απόδοση και ομαλότερη εμφάνιση, λιγότερο = περισσότερη ακρίβεια)", + "Icon shape": "Μορφή εικονιδίου", + "Icon symbol": "Σύμβολο εικονιδίου", "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}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα umap, μαζί με τα επίπεδα και τις ρυθμίσεις.", "Include full screen link?": "Συμπερίληψη συνδέσμου πλήρους οθόνης;", + "Inherit": "Κληρονομημένο", "Interaction options": "Επιλογές αλληλεπίδρασης", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Μη έγκυρα δεδομένα umap", "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα στο αρχείο {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων", + "Label direction": "Κατεύθυνση ετικέτας", + "Label key": "Κλειδί ετικέτας", + "Labels are clickable": "Οι ετικέτες είναι ενεργές", "Latitude": "Γεωγραφικό πλάτος", "Layer": "Επίπεδο", "Layer properties": "Ιδιότητες επιπέδου", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Συγχώνευση γραμμών", "More controls": "Περισσότερα εργαλεία ελέγχου", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή #123456)", + "No cache": "Δεν υπάρχει προσωρινή μνήμη", "No licence has been set": "Δεν έχει οριστεί άδεια χρήσης", "No results": "Δεν υπάρχουν αποτελέσματα", + "No results for these filters": "No results for these filters", + "None": "Κανένα", + "On the bottom": "Στο κάτω μέρος", + "On the left": "Στο αριστερό μέρος", + "On the right": "Στο δεξί μέρος", + "On the top": "Στο πάνω μέρος", "Only visible features will be downloaded.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", + "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", "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.": "Προαιρετικό", "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", "Override clustering radius (default 80)": "Παράκαμψη ακτίνας συμπλέγματος (προεπιλογή 80)", "Override heatmap radius (default 25)": "Παράκαμψη ακτίνας χάρτη εγγύτητας (προεπιλογή 25)", + "Paste your data here": "Επικόλληση των δεδομένων σας εδώ", + "Permalink": "Μόνιμος σύνδεσμος", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Παρακαλώ εισαγάγετε το νέο όνομα αυτής της ιδιότητας", + "Please save the map first": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", + "Popup": "Αναδυόμενο", + "Popup (large)": "Αναδυόμενο (μεγάλο)", + "Popup content style": "Στυλ περιεχομένου αναδυόμενου", + "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", + "Popup shape": "Σχήμα αναδυόμενου", "Powered by Leaflet and Django, glued by uMap project.": "Τροφοδοτείται από Leaflet και Django, που συνδέθηκαν από το uMap project.", "Problem in the response": "Πρόβλημα στην απόκριση", "Problem in the response format": "Πρόβλημα στη μορφοποίηση απόκρισης", @@ -262,12 +262,17 @@ var locale = { "See all": "Εμφάνιση όλων", "See data layers": "Εμφάνιση επιπέδων δεδομένων", "See full screen": "Εμφάνιση πλήρους οθόνης", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Απενεργοποίηση εάν επιθυμείτε την απόκρυψη του επιπέδου κατά την προβολή των διαφανειών, την περιήγηση δεδομένων, την αναδυόμενη πλοήγηση ...", + "Set symbol": "Ορισμός συμβόλου", "Shape properties": "Ιδιότητες σχήματος", "Short URL": "Σύντομος σύνδεσμος", "Short credits": "Εύσημα εν συντομία", "Show/hide layer": "Εμφάνιση/απόκρυψη επιπέδου", + "Side panel": "Πλευρική εργαλειοθήκη", "Simple link: [[http://example.com]]": "Απλός σύνδεσμος: [[http://example.com]]", + "Simplify": "Απλοποίηση", + "Skipping unknown geometry.type: {type}": "Παράλειψη άγνωστου geometry.type: {type}", "Slideshow": "Παρουσίαση", "Smart transitions": "Έξυπνες μεταβάσεις", "Sort key": "Κλειδί ταξινόμησης", @@ -280,10 +285,13 @@ var locale = { "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} θα αντικατασταθεί από την τιμή \"όνομα\" κάθε δείκτη.", + "Symbol or url": "Σύμβολο ή σύνδεσμος", "TMS format": "Μορφοποίηση TMS", + "Table": "Πίνακας", "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα συμπλέγματος", "Text formatting": "Μορφοποίηση κειμένου", "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα στοιχείου (π.χ..: \"nom\")", + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", "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)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", "To zoom": "Για εστίαση", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Ποιος μπορεί να επεξεργαστεί", "Who can view": "Ποιος μπορεί να δει", "Will be displayed in the bottom right corner of the map": "Θα εμφανιστεί στην κάτω δεξιά γωνία του χάρτη", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Οπς! Κάποιος άλλος φαίνεται πως έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", "You have unsaved changes.": "Έχετε μη αποθηκευμένες αλλαγές.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Εστίαση στο προηγούμενο", "Zoom to this feature": "Εστίαση σε αυτό το στοιχείο", "Zoom to this place": "Εστίαση σε αυτή την τοποθεσία", + "always": "πάντα", "attribution": "Αναφορά", "by": "από", + "clear": "Εκκαθάριση", + "collapsed": "Κατέρρευσε", + "color": "Χρώμα", + "dash array": "Διάταξη παύλας", + "define": "Ορισμός", + "description": "Περιγραφή", "display name": "Όνομα που εμφανίζεται", + "expanded": "Αναπτυγμένος", + "fill": "Γέμισμα", + "fill color": "Χρώμα γεμίσματος", + "fill opacity": "Αδιαφάνεια γεμίσματος", "height": "Ύψος", + "hidden": "Απόκρυψη", + "iframe": "iframe", + "inherit": "Κληρονομημένο", "licence": "Άδεια", "max East": "Μέγιστο ανατολικά", "max North": "Μέγιστο βόρεια", @@ -332,10 +355,21 @@ var locale = { "max West": "Μέγιστο δυτικά", "max zoom": "Μέγιστη εστίαση", "min zoom": "Ελάχιστη εστίαση", + "name": "Όνομα", + "never": "Ποτέ", + "new window": "Νέο Παράθυρο", "next": "Επόμενο", + "no": "όχι", + "on hover": "Με αιώρηση", + "opacity": "Αδιαφάνεια", + "parent window": "Γονικό παράθυρο", "previous": "Προηγούμενο", + "stroke": "Πινέλο", + "weight": "Βάρος", "width": "Πλάτος", + "yes": "ναι", "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή: {message}", + "{delay} seconds": "{delay} δευτερόλεπτα", "Measure distances": "Μέτρηση αποστάσεων", "NM": "ΝΜ", "kilometers": "Χιλιόμετρα", @@ -343,45 +377,16 @@ var locale = { "mi": "μλ.", "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{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} γιάρδες", - "1 day": "1 μέρα", - "1 hour": "1 ώρα", - "5 min": "5 λεπτά", - "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", - "No cache": "Δεν υπάρχει προσωρινή μνήμη", - "Popup": "Αναδυόμενο", - "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": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", - "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", - "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", - "Permalink": "Μόνιμος σύνδεσμος", - "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} γιάρδες" }; 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 2e0fca8d..9f40811a 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- για οριζόντιο διαχωριστικό", + "1 day": "1 μέρα", + "1 hour": "1 ώρα", + "5 min": "5 λεπτά", + "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": "Ενεργοποίηση λειτουργίας παρουσίασης", + "Add a layer": "Προσθήκη επιπέδου", + "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο", + "Add a new property": "Προσθήκη νέας ιδιότητας", + "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο", "Add symbol": "Προσθήκη συμβόλου", + "Advanced actions": "Εξειδικευμένες ενέργειες", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Εξειδικευμένες ιδιότητες", + "Advanced transition": "Εξειδικευμένη μετάβαση", + "All properties are imported.": "Όλες οι ιδιότητες έχουν εισαχθεί", + "Allow interactions": "Επιτρέπονται αλληλεπιδράσεις", "Allow scroll wheel zoom?": "Επιτρέπεται κύλιση εστίασης", + "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": "Αυτόματα", "Automatic": "Αυτόματα", + "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη", + "Background overlay url": "Background overlay url", "Ball": "Καρφίτσα", + "Bring feature to center": "Κεντράρισμα του στοιχείου", + "Browse data": "Περιήγηση δεδομένων", + "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", "Cancel": "Άκυρο", + "Cancel edits": "Ακύρωση επεξεργασίας", "Caption": "Λεζάντα", + "Center map on your location": "Κεντράρισμα του χάρτη στην τοποθεσία σας", + "Change map background": "Αλλαγή υποβάθρου του χάρτη", "Change symbol": "Αλλαγή συμβόλου", + "Change tilelayers": "Αλλαγή χαρτογραφικού υπόβαθρου", + "Choose a preset": "Επιλογή προκαθορισμένου", "Choose the data format": "Επιλογή μορφοποίησης δεδομένων", + "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", "Choose the layer of the feature": "Επιλέξτε το επίπεδο του στοιχείου", + "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", "Circle": "Κύκλος", + "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": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", + "Clone": "Κλωνοποίηση", + "Clone of {name}": "Κλωνοποίηση του {name}", + "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", + "Clone this map": "Κλωνοποίηση αυτού του χάρτη", + "Close": "Κλείσιμο", "Clustered": "Σύμπλεγμα", + "Clustering radius": "Ακτίνα συμπλέγματος", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", + "Custom background": "Προσαρμοσμένο υπόβαθρο", + "Custom overlay": "Custom overlay", "Data browser": "Περιηγητής δεδομένων", + "Data filters": "Data filters", + "Data is browsable": "Τα δεδομένα είναι περιηγήσιμα", "Default": "Προεπιλογή", + "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", + "Default properties": "Προεπιλεγμένες ιδιότητες", + "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", "Default zoom level": "Προεπιλεγμένο επίπεδο μεγέθυνσης", "Default: name": "Προεπιλογή: Όνομα", + "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 property on all the features": "Διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία", + "Delete this shape": "Διαγραφή σχήματος", + "Delete this vertex (Alt+Click)": "Διαγραφή αυτής της κορυφής (Alt+Click)", + "Directions from here": "Κατευθύνσεις από εδώ", + "Disable editing": "Απενεργοποίηση επεξεργασίας", "Display label": "Εμφάνιση ετικέτας", + "Display measure": "Εμφάνιση μέτρησης", + "Display on load": "Εμφάνιση κατά την φόρτωση", "Display the control to open OpenStreetMap editor": "Εμφάνιση εικονιδίου επεξεργασίας OpenStreetMap", "Display the data layers control": "Εμφάνιση εικονιδίου επιπέδων με δεδομένα", "Display the embed control": "Εμφάνιση εικονιδίου διαμοιρασμού", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Οι ετικέτες είναι ενεργές", - "None": "Κανένα", - "On the bottom": "Στο κάτω μέρος", - "On the left": "Στο αριστερό μέρος", - "On the right": "Στο δεξί μέρος", - "On the top": "Στο πάνω μέρος", - "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", - "Set symbol": "Ορισμός συμβόλου", - "Side panel": "Πλευρική εργαλειοθήκη", - "Simplify": "Απλοποίηση", - "Symbol or url": "Σύμβολο ή σύνδεσμος", - "Table": "Πίνακας", - "always": "πάντα", - "clear": "Εκκαθάριση", - "collapsed": "Κατέρρευσε", - "color": "Χρώμα", - "dash array": "Διάταξη παύλας", - "define": "Ορισμός", - "description": "Περιγραφή", - "expanded": "Αναπτυγμένος", - "fill": "Γέμισμα", - "fill color": "Χρώμα γεμίσματος", - "fill opacity": "Αδιαφάνεια γεμίσματος", - "hidden": "Απόκρυψη", - "iframe": "iframe", - "inherit": "Κληρονομημένο", - "name": "Όνομα", - "never": "Ποτέ", - "new window": "Νέο Παράθυρο", - "no": "όχι", - "on hover": "Με αιώρηση", - "opacity": "Αδιαφάνεια", - "parent window": "Γονικό παράθυρο", - "stroke": "Πινέλο", - "weight": "Βάρος", - "yes": "ναι", - "{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\".", - "About": "Σχετικά", - "Action not allowed :(": "Μη επιτρεπόμενη ενέργεια :(", - "Activate slideshow mode": "Ενεργοποίηση λειτουργίας παρουσίασης", - "Add a layer": "Προσθήκη επιπέδου", - "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": "Σύνδεση του χάρτη με τον λογαριασμό μου", - "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": "Πατήστε για συνέχεια σχεδίασης", - "Click to edit": "Πατήστε για επεξεργασία", - "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", - "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", - "Clone": "Κλωνοποίηση", - "Clone of {name}": "Κλωνοποίηση του {name}", - "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", - "Clone this map": "Κλωνοποίηση αυτού του χάρτη", - "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. Εισάγονται μόνο γεωμετρίες σημείων. Η διαδικασία εισαγωγής ελέγχει τις επικεφαλίδες των στηλών για τις ενδείξεις «lat» και «lon» στην αρχή της επικεφαλίδας και κάνει διάκριση πεζών - κεφαλαίων γραμμάτων. Όλες οι άλλες στήλες εισάγονται ως ιδιότητες. ", - "Continue line": "Συνέχεια γραμμής", - "Continue line (Ctrl+Click)": "Συνέχεια γραμμής (Ctrl+Click)", - "Coordinates": "Συντεταγμένες", - "Credits": "Εύσημα", - "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", - "Custom background": "Προσαρμοσμένο υπόβαθρο", - "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": "Διαγραφή", - "Delete all layers": "Διαγραφή όλων των επιπέδων", - "Delete layer": "Διαγραφή επιπέδου", - "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": "Εμφάνιση κατά την φόρτωση", "Download": "Λήψη", "Download data": "Λήψη δεδομένων", "Drag to reorder": "Σύρετε για αναδιάταξη", @@ -159,6 +125,7 @@ "Draw a marker": "Σχεδιασμός σημείου", "Draw a polygon": "Σχεδιασμός πολυγώνου", "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής", + "Drop": "Σταγόνα", "Dynamic": "Δυναμική", "Dynamic properties": "Δυναμικές ιδιότητες", "Edit": "Επεξεργασία", @@ -172,23 +139,31 @@ "Embed the map": "Ένθεση του χάρτη", "Empty": "Κενό", "Enable editing": "Ενεργοποίηση επεξεργασίας", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου", "Error while fetching {url}": "Σφάλμα κατά την ανάκτηση {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Κλείσιμο πλήρους οθόνης", "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", + "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", "Filter…": "Φίλτρα...", "Format": "Μορφοποίηση", "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", + "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", + "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Heatmap": "Χάρτης θερμότητας", "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", "Hide controls": "Απόκρυψη εργαλείων ελέγχου", "Home": "Αρχική", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο εστίασης (περισσότερο = καλύτερη απόδοση και ομαλότερη εμφάνιση, λιγότερο = περισσότερη ακρίβεια)", + "Icon shape": "Μορφή εικονιδίου", + "Icon symbol": "Σύμβολο εικονιδίου", "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}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα umap, μαζί με τα επίπεδα και τις ρυθμίσεις.", "Include full screen link?": "Συμπερίληψη συνδέσμου πλήρους οθόνης;", + "Inherit": "Κληρονομημένο", "Interaction options": "Επιλογές αλληλεπίδρασης", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Μη έγκυρα δεδομένα umap", "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα στο αρχείο {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων", + "Label direction": "Κατεύθυνση ετικέτας", + "Label key": "Κλειδί ετικέτας", + "Labels are clickable": "Οι ετικέτες είναι ενεργές", "Latitude": "Γεωγραφικό πλάτος", "Layer": "Επίπεδο", "Layer properties": "Ιδιότητες επιπέδου", @@ -225,20 +206,39 @@ "Merge lines": "Συγχώνευση γραμμών", "More controls": "Περισσότερα εργαλεία ελέγχου", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή #123456)", + "No cache": "Δεν υπάρχει προσωρινή μνήμη", "No licence has been set": "Δεν έχει οριστεί άδεια χρήσης", "No results": "Δεν υπάρχουν αποτελέσματα", + "No results for these filters": "No results for these filters", + "None": "Κανένα", + "On the bottom": "Στο κάτω μέρος", + "On the left": "Στο αριστερό μέρος", + "On the right": "Στο δεξί μέρος", + "On the top": "Στο πάνω μέρος", "Only visible features will be downloaded.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", + "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", "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.": "Προαιρετικό", "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", "Override clustering radius (default 80)": "Παράκαμψη ακτίνας συμπλέγματος (προεπιλογή 80)", "Override heatmap radius (default 25)": "Παράκαμψη ακτίνας χάρτη εγγύτητας (προεπιλογή 25)", + "Paste your data here": "Επικόλληση των δεδομένων σας εδώ", + "Permalink": "Μόνιμος σύνδεσμος", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Παρακαλώ εισαγάγετε το νέο όνομα αυτής της ιδιότητας", + "Please save the map first": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", + "Popup": "Αναδυόμενο", + "Popup (large)": "Αναδυόμενο (μεγάλο)", + "Popup content style": "Στυλ περιεχομένου αναδυόμενου", + "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", + "Popup shape": "Σχήμα αναδυόμενου", "Powered by Leaflet and Django, glued by uMap project.": "Τροφοδοτείται από Leaflet και Django, που συνδέθηκαν από το uMap project.", "Problem in the response": "Πρόβλημα στην απόκριση", "Problem in the response format": "Πρόβλημα στη μορφοποίηση απόκρισης", @@ -262,12 +262,17 @@ "See all": "Εμφάνιση όλων", "See data layers": "Εμφάνιση επιπέδων δεδομένων", "See full screen": "Εμφάνιση πλήρους οθόνης", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Απενεργοποίηση εάν επιθυμείτε την απόκρυψη του επιπέδου κατά την προβολή των διαφανειών, την περιήγηση δεδομένων, την αναδυόμενη πλοήγηση ...", + "Set symbol": "Ορισμός συμβόλου", "Shape properties": "Ιδιότητες σχήματος", "Short URL": "Σύντομος σύνδεσμος", "Short credits": "Εύσημα εν συντομία", "Show/hide layer": "Εμφάνιση/απόκρυψη επιπέδου", + "Side panel": "Πλευρική εργαλειοθήκη", "Simple link: [[http://example.com]]": "Απλός σύνδεσμος: [[http://example.com]]", + "Simplify": "Απλοποίηση", + "Skipping unknown geometry.type: {type}": "Παράλειψη άγνωστου geometry.type: {type}", "Slideshow": "Παρουσίαση", "Smart transitions": "Έξυπνες μεταβάσεις", "Sort key": "Κλειδί ταξινόμησης", @@ -280,10 +285,13 @@ "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} θα αντικατασταθεί από την τιμή \"όνομα\" κάθε δείκτη.", + "Symbol or url": "Σύμβολο ή σύνδεσμος", "TMS format": "Μορφοποίηση TMS", + "Table": "Πίνακας", "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα συμπλέγματος", "Text formatting": "Μορφοποίηση κειμένου", "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα στοιχείου (π.χ..: \"nom\")", + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", "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)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", "To zoom": "Για εστίαση", @@ -310,6 +318,7 @@ "Who can edit": "Ποιος μπορεί να επεξεργαστεί", "Who can view": "Ποιος μπορεί να δει", "Will be displayed in the bottom right corner of the map": "Θα εμφανιστεί στην κάτω δεξιά γωνία του χάρτη", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Οπς! Κάποιος άλλος φαίνεται πως έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", "You have unsaved changes.": "Έχετε μη αποθηκευμένες αλλαγές.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Εστίαση στο προηγούμενο", "Zoom to this feature": "Εστίαση σε αυτό το στοιχείο", "Zoom to this place": "Εστίαση σε αυτή την τοποθεσία", + "always": "πάντα", "attribution": "Αναφορά", "by": "από", + "clear": "Εκκαθάριση", + "collapsed": "Κατέρρευσε", + "color": "Χρώμα", + "dash array": "Διάταξη παύλας", + "define": "Ορισμός", + "description": "Περιγραφή", "display name": "Όνομα που εμφανίζεται", + "expanded": "Αναπτυγμένος", + "fill": "Γέμισμα", + "fill color": "Χρώμα γεμίσματος", + "fill opacity": "Αδιαφάνεια γεμίσματος", "height": "Ύψος", + "hidden": "Απόκρυψη", + "iframe": "iframe", + "inherit": "Κληρονομημένο", "licence": "Άδεια", "max East": "Μέγιστο ανατολικά", "max North": "Μέγιστο βόρεια", @@ -332,10 +355,21 @@ "max West": "Μέγιστο δυτικά", "max zoom": "Μέγιστη εστίαση", "min zoom": "Ελάχιστη εστίαση", + "name": "Όνομα", + "never": "Ποτέ", + "new window": "Νέο Παράθυρο", "next": "Επόμενο", + "no": "όχι", + "on hover": "Με αιώρηση", + "opacity": "Αδιαφάνεια", + "parent window": "Γονικό παράθυρο", "previous": "Προηγούμενο", + "stroke": "Πινέλο", + "weight": "Βάρος", "width": "Πλάτος", + "yes": "ναι", "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή: {message}", + "{delay} seconds": "{delay} δευτερόλεπτα", "Measure distances": "Μέτρηση αποστάσεων", "NM": "ΝΜ", "kilometers": "Χιλιόμετρα", @@ -343,43 +377,14 @@ "mi": "μλ.", "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{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} γιάρδες", - "1 day": "1 μέρα", - "1 hour": "1 ώρα", - "5 min": "5 λεπτά", - "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", - "No cache": "Δεν υπάρχει προσωρινή μνήμη", - "Popup": "Αναδυόμενο", - "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": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", - "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", - "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", - "Permalink": "Μόνιμος σύνδεσμος", - "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} γιάρδες" } \ No newline at end of file diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index df26261b..7f157417 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -343,16 +343,6 @@ var locale = { "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", @@ -381,7 +371,17 @@ var locale = { "Permanent credits": "Permanent credits", "Permanent credits background": "Permanent credits background", "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", + "{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" }; L.registerLocale("en", locale); -L.setLocale("en"); +L.setLocale("en"); \ No newline at end of file diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 5dc6ce82..249f5839 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -343,16 +343,6 @@ "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", @@ -381,5 +371,15 @@ "Permanent credits": "Permanent credits", "Permanent credits background": "Permanent credits background", "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", + "{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" +} \ No newline at end of file diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index d749d865..90a5c8d5 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "New 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", "Add symbol": "Add symbol", + "Advanced actions": "Actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Appearance", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "An error occured": "An error occurred", + "Are you sure you want to cancel your changes?": "Are you sure you want to abandon 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 layers and features?", + "Are you sure you want to delete the feature?": "Are you sure you want to delete this 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", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change basemap", "Change symbol": "Change symbol", + "Change tilelayers": "Set map background", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose...", + "Choose the format of the data to import": "Data format:", "Choose the layer of the feature": "Layer", + "Choose the layer to import in": "Import into layer:", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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 basemap", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Layer defaults", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 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": "Finish editing", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Display caption bar", "Do you want to display a minimap?": "Display minimap", "Do you want to display a panel on load?": "Display side panel", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Display navigation controls on popups", "Do you want to display the scale control?": "Display scale", "Do you want to display the «more» control?": "Show \"more\" map controls", - "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", - "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": "width", - "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": "New 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": "Actions", - "Advanced properties": "Appearance", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", - "An error occured": "An error occurred", - "Are you sure you want to cancel your changes?": "Are you sure you want to abandon 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 layers and features?", - "Are you sure you want to delete the feature?": "Are you sure you want to delete this 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 basemap", - "Change tilelayers": "Set map background", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Data format:", - "Choose the layer to import in": "Import into layer:", - "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 basemap", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Layer defaults", - "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 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": "Finish editing", - "Display measure": "Display measure", - "Display on load": "Display on load", "Download": "Download", "Download data": "Download data", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a line", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed map", "Empty": "Empty", "Enable editing": "Edit map", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to {feature}", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "There was an error receiving your data.", "Problem in the response format": "Problem in the response format", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Use if the remote server doesn't support CORS (slower)", "To zoom": "To zoom", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Warning! Someone else seems to have edited the data. If you save now, you will erase any changes made by others.", "You have unsaved changes.": "You have unsaved changes.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "width", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} + "{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" +} \ No newline at end of file diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 9b2cac56..25a19116 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 día", + "1 hour": "1 hora", + "5 min": "5 min", + "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 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 elemento actual", + "Add a new property": "Añadir una nueva propiedad", + "Add a polygon to the current multi": "Añadir un polígono al multi elemento actual", "Add symbol": "Añadir un símbolo", + "Advanced actions": "Acciones avanzadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propiedades avanzadas", + "Advanced transition": "Transición avanzada", + "All properties are imported.": "Todas las propiedades están importadas.", + "Allow interactions": "Permitir interacciones", "Allow scroll wheel zoom?": "¿Permitir acercar con la rueda central del ratón?", + "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 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 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", "Automatic": "Automático", + "Autostart when map is loaded": "Autocomenzar cuando el mapa esté cargado", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Traer el elemento al centro", + "Browse data": "Navegar los datos", + "Cache proxied request": "Caché de la petición proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar las ediciones", "Caption": "Subtítulo", + "Center map on your location": "Centrar el mapa en su ubicación", + "Change map background": "Cambiar el fondo del mapa", "Change symbol": "Cambiar símbolo", + "Change tilelayers": "Cambiar la capa de teselas", + "Choose a preset": "Elegir un preestablecido", "Choose the data format": "Elegir el formato de datos", + "Choose the format of the data to import": "Elegir el formato de los datos a importar", "Choose the layer of the feature": "Elegir la capa del elemento", + "Choose the layer to import in": "Elegir la capa a la que se importa", "Circle": "Círculo", + "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 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", + "Clone": "Clonar", + "Clone of {name}": "Clón de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Cerrar", "Clustered": "Agrupados", + "Clustering radius": "Radio de agrupamiento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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 del mapa predeterminada?", + "Custom background": "Fondo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de datos", + "Data filters": "Data filters", + "Data is browsable": "Los datos son navegables", "Default": "Predeterminado", + "Default interaction options": "Opciones de interacción predeterminados", + "Default properties": "Propiedades predeterminadas", + "Default shape properties": "Propiedades de la figura predeterminada", "Default zoom level": "Nivel de acercamiento predeterminado", "Default: name": "Predeterminado: nombre", + "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": "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": "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 label": "Mostrar etiqueta", + "Display measure": "Mostrar medición", + "Display on load": "Mostrar al cargar", "Display the control to open OpenStreetMap editor": "Mostrar el control para abrir el editor OpenStreetMap", "Display the data layers control": "Mostrrar el control de la capa de datos", "Display the embed control": "Mostrar el control de embebido", @@ -27,131 +114,10 @@ var locale = { "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 minimapa?", "Do you want to display a panel on load?": "¿Quiere mostrar un panel al cargar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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)", - "Heatmap": "Mapa de calor", - "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 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 de contenido emergente", - "Set symbol": "Establecer símbolo", - "Side panel": "Panel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo o URL", - "Table": "Tabla", - "always": "siempre", - "clear": "limpiar", - "collapsed": "contraído", - "color": "color", - "dash array": "serie de guiones", - "define": "definir", - "description": "descripción", - "expanded": "expandido", - "fill": "rellenar", - "fill color": "color de relleno", - "fill opacity": "opacidad del relleno", - "hidden": "escondido", - "iframe": "iframe", - "inherit": "heredar", - "name": "nombre", - "never": "nunca", - "new window": "nueva ventana", - "no": "no", - "on hover": "al pasar el ratón", - "opacity": "opacidad", - "parent window": "ventana principal", - "stroke": "trazo", - "weight": "peso", - "yes": "si", - "{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 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 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 elemento actual", - "Add a new property": "Añadir una nueva propiedad", - "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 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 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 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": "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 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 figura", - "Click to add a marker": "Haga clic para añadir un marcador", - "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", - "Clone": "Clonar", - "Clone of {name}": "Clón de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Cerrar", - "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 del mapa predeterminada?", - "Custom background": "Fondo personalizado", - "Data is browsable": "Los datos son navegables", - "Default interaction options": "Opciones de interacción predeterminados", - "Default properties": "Propiedades predeterminadas", - "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": "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": "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": "Mostrar medición", - "Display on load": "Mostrar al cargar", "Download": "Descargar", "Download data": "Descargar datos", "Drag to reorder": "Arrastrar para reordenar", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Dibuja un marcador", "Draw a polygon": "Dibuja un polígono", "Draw a polyline": "Dibuja una polilínea", + "Drop": "Gota", "Dynamic": "Dinámico", "Dynamic properties": "Propiedades dinámicas", "Edit": "Editar", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embeber el mapa", "Empty": "Vaciar", "Enable editing": "Habilitar la edición", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error en la URL del la capa de teselas", "Error while fetching {url}": "Error al traer {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Salir de la pantalla completa", "Extract shape to separate feature": "Extraer la figura a un elemento separado", + "Feature identifier key": "Clave de identificación del elemento", "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": "Datos completos del mapa", + "GeoRSS (only link)": "GeoRSS (sólo enlace)", + "GeoRSS (title + image)": "GeoRSS (título + imagen)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "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 simplificar la polilínea en cada nivel de acercamiento (más = mejor rendimiento y aspecto más suave, menos = más preciso)", + "Icon shape": "Forma de icono", + "Icon symbol": "Símbolo del icono", "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}}}", @@ -201,10 +176,16 @@ var locale = { "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 a pantalla completa?", + "Inherit": "Heredar", "Interaction options": "Opciones de interacción", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Datos umap inválido", "Invalid umap data in {filename}": "Datos umap inválido en {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Guardar capas visibles actuales", + "Label direction": "Dirección de la etiqueta", + "Label key": "Etiqueta de la clave", + "Labels are clickable": "Las etiquetas se pueden hacer clic", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Propiedades de la capa", @@ -225,20 +206,39 @@ var locale = { "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 ejemplo: DarkBlue o #123456)", + "No cache": "Sin caché", "No licence has been set": "Ninguna licencia se ha establecida", "No results": "Sin resultados", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Sólo se descargarán los elementos visibles.", + "Open current feature on load": "Abrir el elemento actual al cargar", "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 de intensidad opcional para el mapa de calor", + "Optional.": "Opcional.", "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)": "Sobrescribir el radio del mapa de calor (predeterminado 25)", + "Paste your data here": "Pega tus datos aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Guarde primero el mapa", + "Popup": "Ventana emergente", + "Popup (large)": "Ventana emergente (grande)", + "Popup content style": "Estilo del contenido emergente", + "Popup content template": "Plantilla de contenido emergente", + "Popup shape": "Forma de la ventana emergente", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "Ver todo", "See data layers": "Ver capas de datos", "See full screen": "Ver pantalla completa", + "Select data": "Select data", "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...", + "Set symbol": "Establecer símbolo", "Shape properties": "Propiedades de la figura", "Short URL": "URL corta", "Short credits": "Créditos cortos", "Show/hide layer": "Mostrar/ocultar capa", + "Side panel": "Panel lateral", "Simple link: [[http://example.com]]": "Enlace simple: [[http://ejemplo.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Ignorando tipo de geometría desconocida: {type}", "Slideshow": "Presentación de diapositivas", "Smart transitions": "Transiciones inteligentes", "Sort key": "Orden de la clave", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema soportado", "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.", + "Symbol or url": "Símbolo o URL", "TMS format": "formato TMS", + "Table": "Tabla", "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 name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento.", "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)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", "To zoom": "Para acercar/alejar", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Quién puede editar", "Who can view": "Quién puede ver", "Will be displayed in the bottom right corner of the map": "Se mostrará en la esquina inferior izquierda del mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visible en el subtítulo del mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "¡Oops! Alguien parece haber editado los datos. Puedes guardar de todos modos, pero esto va a borrar los cambios realizados por otros.", "You have unsaved changes.": "Tiene cambios no guardados.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Acercamiento al anterior", "Zoom to this feature": "Acercamiento a este elemento", "Zoom to this place": "Acercamiento a este lugar", + "always": "siempre", "attribution": "atribución", "by": "por", + "clear": "limpiar", + "collapsed": "contraído", + "color": "color", + "dash array": "serie de guiones", + "define": "definir", + "description": "descripción", "display name": "mostrar nombre", + "expanded": "expandido", + "fill": "rellenar", + "fill color": "color de relleno", + "fill opacity": "opacidad del relleno", "height": "altura", + "hidden": "escondido", + "iframe": "iframe", + "inherit": "heredar", "licence": "licencia", "max East": "máximo Este", "max North": "máximo Norte", @@ -332,10 +355,21 @@ var locale = { "max West": "máximo Oeste", "max zoom": "acercamiento máximo", "min zoom": "acercamiento mínimo", + "name": "nombre", + "never": "nunca", + "new window": "nueva ventana", "next": "siguiente", + "no": "no", + "on hover": "al pasar el ratón", + "opacity": "opacidad", + "parent window": "ventana principal", "previous": "anterior", + "stroke": "trazo", + "weight": "peso", "width": "anchura", + "yes": "si", "{count} errors during import: {message}": "{count} errores durante la importación: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distancias", "NM": "NM", "kilometers": "kilómetros", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "millas", "nautical miles": "millas náuticas", - "{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} millas", - "{distance} yd": "{distance} yd", - "1 day": "1 día", - "1 hour": "1 hora", - "5 min": "5 min", - "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 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": "Guarde primero el mapa", - "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.": "El nombre de la propiedad a utilizar como identificador único del elemento.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} millas", + "{distance} yd": "{distance} yd" }; 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 8112f10c..6aff751e 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 día", + "1 hour": "1 hora", + "5 min": "5 min", + "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 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 elemento actual", + "Add a new property": "Añadir una nueva propiedad", + "Add a polygon to the current multi": "Añadir un polígono al multi elemento actual", "Add symbol": "Añadir un símbolo", + "Advanced actions": "Acciones avanzadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propiedades avanzadas", + "Advanced transition": "Transición avanzada", + "All properties are imported.": "Todas las propiedades están importadas.", + "Allow interactions": "Permitir interacciones", "Allow scroll wheel zoom?": "¿Permitir acercar con la rueda central del ratón?", + "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 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 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", "Automatic": "Automático", + "Autostart when map is loaded": "Autocomenzar cuando el mapa esté cargado", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Traer el elemento al centro", + "Browse data": "Navegar los datos", + "Cache proxied request": "Caché de la petición proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar las ediciones", "Caption": "Subtítulo", + "Center map on your location": "Centrar el mapa en su ubicación", + "Change map background": "Cambiar el fondo del mapa", "Change symbol": "Cambiar símbolo", + "Change tilelayers": "Cambiar la capa de teselas", + "Choose a preset": "Elegir un preestablecido", "Choose the data format": "Elegir el formato de datos", + "Choose the format of the data to import": "Elegir el formato de los datos a importar", "Choose the layer of the feature": "Elegir la capa del elemento", + "Choose the layer to import in": "Elegir la capa a la que se importa", "Circle": "Círculo", + "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 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", + "Clone": "Clonar", + "Clone of {name}": "Clón de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Cerrar", "Clustered": "Agrupados", + "Clustering radius": "Radio de agrupamiento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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 del mapa predeterminada?", + "Custom background": "Fondo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de datos", + "Data filters": "Data filters", + "Data is browsable": "Los datos son navegables", "Default": "Predeterminado", + "Default interaction options": "Opciones de interacción predeterminados", + "Default properties": "Propiedades predeterminadas", + "Default shape properties": "Propiedades de la figura predeterminada", "Default zoom level": "Nivel de acercamiento predeterminado", "Default: name": "Predeterminado: nombre", + "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": "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": "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 label": "Mostrar etiqueta", + "Display measure": "Mostrar medición", + "Display on load": "Mostrar al cargar", "Display the control to open OpenStreetMap editor": "Mostrar el control para abrir el editor OpenStreetMap", "Display the data layers control": "Mostrrar el control de la capa de datos", "Display the embed control": "Mostrar el control de embebido", @@ -27,131 +114,10 @@ "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 minimapa?", "Do you want to display a panel on load?": "¿Quiere mostrar un panel al cargar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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)", - "Heatmap": "Mapa de calor", - "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 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 de contenido emergente", - "Set symbol": "Establecer símbolo", - "Side panel": "Panel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo o URL", - "Table": "Tabla", - "always": "siempre", - "clear": "limpiar", - "collapsed": "contraído", - "color": "color", - "dash array": "serie de guiones", - "define": "definir", - "description": "descripción", - "expanded": "expandido", - "fill": "rellenar", - "fill color": "color de relleno", - "fill opacity": "opacidad del relleno", - "hidden": "escondido", - "iframe": "iframe", - "inherit": "heredar", - "name": "nombre", - "never": "nunca", - "new window": "nueva ventana", - "no": "no", - "on hover": "al pasar el ratón", - "opacity": "opacidad", - "parent window": "ventana principal", - "stroke": "trazo", - "weight": "peso", - "yes": "si", - "{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 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 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 elemento actual", - "Add a new property": "Añadir una nueva propiedad", - "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 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 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 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": "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 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 figura", - "Click to add a marker": "Haga clic para añadir un marcador", - "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", - "Clone": "Clonar", - "Clone of {name}": "Clón de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Cerrar", - "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 del mapa predeterminada?", - "Custom background": "Fondo personalizado", - "Data is browsable": "Los datos son navegables", - "Default interaction options": "Opciones de interacción predeterminados", - "Default properties": "Propiedades predeterminadas", - "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": "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": "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": "Mostrar medición", - "Display on load": "Mostrar al cargar", "Download": "Descargar", "Download data": "Descargar datos", "Drag to reorder": "Arrastrar para reordenar", @@ -159,6 +125,7 @@ "Draw a marker": "Dibuja un marcador", "Draw a polygon": "Dibuja un polígono", "Draw a polyline": "Dibuja una polilínea", + "Drop": "Gota", "Dynamic": "Dinámico", "Dynamic properties": "Propiedades dinámicas", "Edit": "Editar", @@ -172,23 +139,31 @@ "Embed the map": "Embeber el mapa", "Empty": "Vaciar", "Enable editing": "Habilitar la edición", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error en la URL del la capa de teselas", "Error while fetching {url}": "Error al traer {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Salir de la pantalla completa", "Extract shape to separate feature": "Extraer la figura a un elemento separado", + "Feature identifier key": "Clave de identificación del elemento", "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": "Datos completos del mapa", + "GeoRSS (only link)": "GeoRSS (sólo enlace)", + "GeoRSS (title + image)": "GeoRSS (título + imagen)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "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 simplificar la polilínea en cada nivel de acercamiento (más = mejor rendimiento y aspecto más suave, menos = más preciso)", + "Icon shape": "Forma de icono", + "Icon symbol": "Símbolo del icono", "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}}}", @@ -201,10 +176,16 @@ "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 a pantalla completa?", + "Inherit": "Heredar", "Interaction options": "Opciones de interacción", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Datos umap inválido", "Invalid umap data in {filename}": "Datos umap inválido en {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Guardar capas visibles actuales", + "Label direction": "Dirección de la etiqueta", + "Label key": "Etiqueta de la clave", + "Labels are clickable": "Las etiquetas se pueden hacer clic", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Propiedades de la capa", @@ -225,20 +206,39 @@ "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 ejemplo: DarkBlue o #123456)", + "No cache": "Sin caché", "No licence has been set": "Ninguna licencia se ha establecida", "No results": "Sin resultados", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Sólo se descargarán los elementos visibles.", + "Open current feature on load": "Abrir el elemento actual al cargar", "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 de intensidad opcional para el mapa de calor", + "Optional.": "Opcional.", "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)": "Sobrescribir el radio del mapa de calor (predeterminado 25)", + "Paste your data here": "Pega tus datos aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Guarde primero el mapa", + "Popup": "Ventana emergente", + "Popup (large)": "Ventana emergente (grande)", + "Popup content style": "Estilo del contenido emergente", + "Popup content template": "Plantilla de contenido emergente", + "Popup shape": "Forma de la ventana emergente", "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", @@ -262,12 +262,17 @@ "See all": "Ver todo", "See data layers": "Ver capas de datos", "See full screen": "Ver pantalla completa", + "Select data": "Select data", "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...", + "Set symbol": "Establecer símbolo", "Shape properties": "Propiedades de la figura", "Short URL": "URL corta", "Short credits": "Créditos cortos", "Show/hide layer": "Mostrar/ocultar capa", + "Side panel": "Panel lateral", "Simple link: [[http://example.com]]": "Enlace simple: [[http://ejemplo.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Ignorando tipo de geometría desconocida: {type}", "Slideshow": "Presentación de diapositivas", "Smart transitions": "Transiciones inteligentes", "Sort key": "Orden de la clave", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema soportado", "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.", + "Symbol or url": "Símbolo o URL", "TMS format": "formato TMS", + "Table": "Tabla", "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 name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento.", "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)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", "To zoom": "Para acercar/alejar", @@ -310,6 +318,7 @@ "Who can edit": "Quién puede editar", "Who can view": "Quién puede ver", "Will be displayed in the bottom right corner of the map": "Se mostrará en la esquina inferior izquierda del mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visible en el subtítulo del mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "¡Oops! Alguien parece haber editado los datos. Puedes guardar de todos modos, pero esto va a borrar los cambios realizados por otros.", "You have unsaved changes.": "Tiene cambios no guardados.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Acercamiento al anterior", "Zoom to this feature": "Acercamiento a este elemento", "Zoom to this place": "Acercamiento a este lugar", + "always": "siempre", "attribution": "atribución", "by": "por", + "clear": "limpiar", + "collapsed": "contraído", + "color": "color", + "dash array": "serie de guiones", + "define": "definir", + "description": "descripción", "display name": "mostrar nombre", + "expanded": "expandido", + "fill": "rellenar", + "fill color": "color de relleno", + "fill opacity": "opacidad del relleno", "height": "altura", + "hidden": "escondido", + "iframe": "iframe", + "inherit": "heredar", "licence": "licencia", "max East": "máximo Este", "max North": "máximo Norte", @@ -332,10 +355,21 @@ "max West": "máximo Oeste", "max zoom": "acercamiento máximo", "min zoom": "acercamiento mínimo", + "name": "nombre", + "never": "nunca", + "new window": "nueva ventana", "next": "siguiente", + "no": "no", + "on hover": "al pasar el ratón", + "opacity": "opacidad", + "parent window": "ventana principal", "previous": "anterior", + "stroke": "trazo", + "weight": "peso", "width": "anchura", + "yes": "si", "{count} errors during import: {message}": "{count} errores durante la importación: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distancias", "NM": "NM", "kilometers": "kilómetros", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "millas", "nautical miles": "millas náuticas", - "{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} millas", - "{distance} yd": "{distance} yd", - "1 day": "1 día", - "1 hour": "1 hora", - "5 min": "5 min", - "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 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": "Guarde primero el mapa", - "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.": "El nombre de la propiedad a utilizar como identificador único del elemento.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} millas", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index b8189f3a..e8ba706e 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 päev", + "1 hour": "1 tund", + "5 min": "5 min", + "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": "Teave", + "Action not allowed :(": "Tegevus pole lubatud :(", + "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", + "Add a layer": "Lisa kiht", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Lisa uus omadus", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Lisa sümbol", + "Advanced actions": "Täiendavad tegevused", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Täiendavad omadused", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Kõik omadused imporditi.", + "Allow interactions": "Luba interaktsioonid", "Allow scroll wheel zoom?": "Luba hiirerullikuga suurendamine?", + "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 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?": "Oled sa kindel, et soovid taastada selle versiooni?", + "Attach the map to my account": "Manusta kaart minu kontole", + "Auto": "Auto", "Automatic": "Automaatne", + "Autostart when map is loaded": "Automaatne käivitus kaardi laadimisel", + "Background overlay url": "Background overlay url", "Ball": "Nööpnõel", + "Bring feature to center": "Sea element keskpunktiks", + "Browse data": "Andmete sirvimine", + "Cache proxied request": "Cache proxied request", "Cancel": "Loobu", + "Cancel edits": "Loobu muudatustest", "Caption": "Legend", + "Center map on your location": "Sea oma asukoht keskpunktiks", + "Change map background": "Vaheta kaardi taust", "Change symbol": "Vaheta sümbol", + "Change tilelayers": "Vaheta kaardi taust", + "Choose a preset": "Vali algseade", "Choose the data format": "Vali andmevorming", + "Choose the format of the data to import": "Vali importimise andmevorming", "Choose the layer of the feature": "Vali elemendi kiht", + "Choose the layer to import in": "Vali kiht, millesse importida", "Circle": "Ring", + "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", + "Click to edit": "Klõpsa muutmiseks", + "Click to start drawing a line": "Klõpsa joone alustamiseks", + "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", + "Clone": "Kopeeri", + "Clone of {name}": "{name} koopia", + "Clone this feature": "Kopeeri seda elementi", + "Clone this map": "Kopeeri seda kaarti", + "Close": "Sulge", "Clustered": "Klasterdatud", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Jätka joont", + "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", + "Coordinates": "Koordinaadid", + "Credits": "Õigused", + "Current view instead of default map view?": "Praegune vaade vaikimisi vaate asemel?", + "Custom background": "Kohandatud taust", + "Custom overlay": "Custom overlay", "Data browser": "Andmete sirvimine", + "Data filters": "Data filters", + "Data is browsable": "Andmed on sirvitavad", "Default": "Vaikesäte", + "Default interaction options": "Interaktsiooni vaikesuvandid", + "Default properties": "Vaikeomadused", + "Default shape properties": "Kujundi vaikeomadused", "Default zoom level": "Vaikimisi suurendusaste", "Default: name": "Vaikimisi: name", + "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", + "Delete all layers": "Kustuta kõik kihid", + "Delete layer": "Kustuta kiht", + "Delete this feature": "Kustuta see element", + "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": "Juhised siit", + "Disable editing": "Lõpeta muutmine", "Display label": "Kuva silt", + "Display measure": "Kuva suurus", + "Display on load": "Kuva laadimisel", "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", @@ -27,131 +114,10 @@ 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 caption menus?": "Do you want to display caption menus?", "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", - "GeoRSS (only link)": "GeoRSS (ainult link)", - "GeoRSS (title + image)": "GeoRSS (pealkiri + pilt)", - "Heatmap": "Soojuskaart", - "Icon shape": "Ikooni kuju", - "Icon symbol": "Ikooni sümbol", - "Inherit": "Päri", - "Label direction": "Sildi suund", - "Label key": "Sildi võti", - "Labels are clickable": "Silte saab klõpsata", - "None": "Mitte midagi", - "On the bottom": "All", - "On the left": "Vasakul", - "On the right": "Paremal", - "On the top": "Ülal", - "Popup content template": "Hüpiku mall", - "Set symbol": "Määra sümbol", - "Side panel": "Külgpaneel", - "Simplify": "Lihtsustamine", - "Symbol or url": "Sümbol või URL", - "Table": "Tabel", - "always": "alati", - "clear": "tühjenda", - "collapsed": "ahendatud", - "color": "Värv", - "dash array": "katkendjoon", - "define": "määra", - "description": "kirjeldus", - "expanded": "laiendatud", - "fill": "täide", - "fill color": "täitevärv", - "fill opacity": "täite läbipaistvus", - "hidden": "peidetud", - "iframe": "iframe", - "inherit": "päri", - "name": "nimi", - "never": "mitte kunagi", - "new window": "uus aken", - "no": "ei", - "on hover": "ülelibistamisel", - "opacity": "läbipaistvus", - "parent window": "emaaken", - "stroke": "piirjoon", - "weight": "jämedus", - "yes": "jah", - "{delay} seconds": "{delay} sekundit", - "# 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": "Teave", - "Action not allowed :(": "Tegevus pole lubatud :(", - "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", - "Add a layer": "Lisa kiht", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Lisa uus omadus", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Täiendavad tegevused", - "Advanced properties": "Täiendavad omadused", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Kõik omadused imporditi.", - "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 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?": "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", - "Bring feature to center": "Sea element keskpunktiks", - "Browse data": "Andmete sirvimine", - "Cancel edits": "Loobu muudatustest", - "Center map on your location": "Sea oma asukoht keskpunktiks", - "Change map background": "Vaheta kaardi taust", - "Change tilelayers": "Vaheta kaardi taust", - "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", - "Click to edit": "Klõpsa muutmiseks", - "Click to start drawing a line": "Klõpsa joone alustamiseks", - "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", - "Clone": "Kopeeri", - "Clone of {name}": "{name} koopia", - "Clone this feature": "Kopeeri seda elementi", - "Clone this map": "Kopeeri seda kaarti", - "Close": "Sulge", - "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": "Jätka joont", - "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", - "Coordinates": "Koordinaadid", - "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": "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", - "Delete all layers": "Kustuta kõik kihid", - "Delete layer": "Kustuta kiht", - "Delete this feature": "Kustuta see element", - "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": "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": "Lohista ümberreastamiseks", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Lisa marker", "Draw a polygon": "Joonista hulknurk", "Draw a polyline": "Draw a polyline", + "Drop": "Tilk", "Dynamic": "Dünaamiline", "Dynamic properties": "Dünaamilised omadused", "Edit": "Muuda", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Manusta kaart", "Empty": "Tühjenda", "Enable editing": "Luba muutmine", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Vigane tausta URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Välju täisekraanist", "Extract shape to separate feature": "Ekstrakti kujund eraldi elemendiks", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filtri võtmed", "Filter…": "Filtreeri...", "Format": "Vorming", "From zoom": "Suurendusastmest", "Full map data": "Kõik kaardi andmed", + "GeoRSS (only link)": "GeoRSS (ainult link)", + "GeoRSS (title + image)": "GeoRSS (pealkiri + pilt)", "Go to «{feature}»": "Mine «{feature}» juurde", + "Heatmap": "Soojuskaart", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Soojuskaardi raadius", "Help": "Abi", "Hide controls": "Peida juhtnupud", "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)", + "Icon shape": "Ikooni kuju", + "Icon symbol": "Ikooni sümbol", "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}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Impordi uuele kihile", "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?", + "Inherit": "Päri", "Interaction options": "Interaktsiooni suvandid", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Vigased uMapi andmed", "Invalid umap data in {filename}": "Vigased uMapi andmed failis {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Sildi suund", + "Label key": "Sildi võti", + "Labels are clickable": "Silte saab klõpsata", "Latitude": "Laius", "Layer": "Kiht", "Layer properties": "Kihi omadused", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "Litsentsi pole määratud", "No results": "Tulemused puuduvad", + "No results for these filters": "No results for these filters", + "None": "Mitte midagi", + "On the bottom": "All", + "On the left": "Vasakul", + "On the right": "Paremal", + "On the top": "Ülal", "Only visible features will be downloaded.": "Alla laaditakse ainult nähtavad elemendid", + "Open current feature on load": "Open current feature on load", "Open download panel": "Ava allalaadimise aken", "Open link in…": "Ava link...", "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.": "Valikuline.", "Optional. Same as color if not set.": "Valikuline. Sama mis värv, kui pole määratud teisiti", "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Paste your data here": "Kleebi oma andmed siia", + "Permalink": "Püsilink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", "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", + "Please save the map first": "Salvesta palun enne kaart", + "Popup": "Hüpik", + "Popup (large)": "Hüpik (suur)", + "Popup content style": "Hüpiku sisu stiil", + "Popup content template": "Hüpiku mall", + "Popup shape": "Hüpiku kuju", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "Näita kõiki", "See data layers": "Näita andmekihte", "See full screen": "Täisekraanvaade", + "Select data": "Select data", "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…", + "Set symbol": "Määra sümbol", "Shape properties": "Kujundi omadused", "Short URL": "Lühilink", "Short credits": "Short credits", "Show/hide layer": "Näita/peida kiht", + "Side panel": "Külgpaneel", "Simple link: [[http://example.com]]": "Link: [[http://example.com]]", + "Simplify": "Lihtsustamine", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slaidiprogramm", "Smart transitions": "Nutikad üleminekud", "Sort key": "Sorteerimise võti", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Sümbol või URL", "TMS format": "TMS vorming", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Suurendusastmeni", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.": "Sinu tehtud muudatused on salvestamata.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Eelmine", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Suurenda selle kohani", + "always": "alati", "attribution": "attribution", "by": "autorilt", + "clear": "tühjenda", + "collapsed": "ahendatud", + "color": "Värv", + "dash array": "katkendjoon", + "define": "määra", + "description": "kirjeldus", "display name": "display name", + "expanded": "laiendatud", + "fill": "täide", + "fill color": "täitevärv", + "fill opacity": "täite läbipaistvus", "height": "kõrgus", + "hidden": "peidetud", + "iframe": "iframe", + "inherit": "päri", "licence": "litsents", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "suurim suurendusaste", "min zoom": "vähim suurendusaste", + "name": "nimi", + "never": "mitte kunagi", + "new window": "uus aken", "next": "edasi", + "no": "ei", + "on hover": "ülelibistamisel", + "opacity": "läbipaistvus", + "parent window": "emaaken", "previous": "tagasi", + "stroke": "piirjoon", + "weight": "jämedus", "width": "laius", + "yes": "jah", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} sekundit", "Measure distances": "Vahemaade mõõtmine", "NM": "NM", "kilometers": "kilomeetrid", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "miilid", "nautical miles": "meremiilid", - "{area} acres": "{area} hektarit", - "{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} miili", - "{distance} yd": "{distance} yd", - "1 day": "1 päev", - "1 hour": "1 tund", - "5 min": "5 min", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", - "Popup": "Hüpik", - "Popup (large)": "Hüpik (suur)", - "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": "Kleebi oma andmed siia", - "Please save the map first": "Salvesta palun enne kaart", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} hektarit", + "{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} miili", + "{distance} yd": "{distance} yd" }; L.registerLocale("et", locale); L.setLocale("et"); \ No newline at end of file diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 12410d77..2151d642 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 päev", + "1 hour": "1 tund", + "5 min": "5 min", + "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": "Teave", + "Action not allowed :(": "Tegevus pole lubatud :(", + "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", + "Add a layer": "Lisa kiht", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Lisa uus omadus", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Lisa sümbol", + "Advanced actions": "Täiendavad tegevused", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Täiendavad omadused", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Kõik omadused imporditi.", + "Allow interactions": "Luba interaktsioonid", "Allow scroll wheel zoom?": "Luba hiirerullikuga suurendamine?", + "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 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?": "Oled sa kindel, et soovid taastada selle versiooni?", + "Attach the map to my account": "Manusta kaart minu kontole", + "Auto": "Auto", "Automatic": "Automaatne", + "Autostart when map is loaded": "Automaatne käivitus kaardi laadimisel", + "Background overlay url": "Background overlay url", "Ball": "Nööpnõel", + "Bring feature to center": "Sea element keskpunktiks", + "Browse data": "Andmete sirvimine", + "Cache proxied request": "Cache proxied request", "Cancel": "Loobu", + "Cancel edits": "Loobu muudatustest", "Caption": "Legend", + "Center map on your location": "Sea oma asukoht keskpunktiks", + "Change map background": "Vaheta kaardi taust", "Change symbol": "Vaheta sümbol", + "Change tilelayers": "Vaheta kaardi taust", + "Choose a preset": "Vali algseade", "Choose the data format": "Vali andmevorming", + "Choose the format of the data to import": "Vali importimise andmevorming", "Choose the layer of the feature": "Vali elemendi kiht", + "Choose the layer to import in": "Vali kiht, millesse importida", "Circle": "Ring", + "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", + "Click to edit": "Klõpsa muutmiseks", + "Click to start drawing a line": "Klõpsa joone alustamiseks", + "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", + "Clone": "Kopeeri", + "Clone of {name}": "{name} koopia", + "Clone this feature": "Kopeeri seda elementi", + "Clone this map": "Kopeeri seda kaarti", + "Close": "Sulge", "Clustered": "Klasterdatud", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Jätka joont", + "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", + "Coordinates": "Koordinaadid", + "Credits": "Õigused", + "Current view instead of default map view?": "Praegune vaade vaikimisi vaate asemel?", + "Custom background": "Kohandatud taust", + "Custom overlay": "Custom overlay", "Data browser": "Andmete sirvimine", + "Data filters": "Data filters", + "Data is browsable": "Andmed on sirvitavad", "Default": "Vaikesäte", + "Default interaction options": "Interaktsiooni vaikesuvandid", + "Default properties": "Vaikeomadused", + "Default shape properties": "Kujundi vaikeomadused", "Default zoom level": "Vaikimisi suurendusaste", "Default: name": "Vaikimisi: name", + "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", + "Delete all layers": "Kustuta kõik kihid", + "Delete layer": "Kustuta kiht", + "Delete this feature": "Kustuta see element", + "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": "Juhised siit", + "Disable editing": "Lõpeta muutmine", "Display label": "Kuva silt", + "Display measure": "Kuva suurus", + "Display on load": "Kuva laadimisel", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "GeoRSS (only link)": "GeoRSS (ainult link)", - "GeoRSS (title + image)": "GeoRSS (pealkiri + pilt)", - "Heatmap": "Soojuskaart", - "Icon shape": "Ikooni kuju", - "Icon symbol": "Ikooni sümbol", - "Inherit": "Päri", - "Label direction": "Sildi suund", - "Label key": "Sildi võti", - "Labels are clickable": "Silte saab klõpsata", - "None": "Mitte midagi", - "On the bottom": "All", - "On the left": "Vasakul", - "On the right": "Paremal", - "On the top": "Ülal", - "Popup content template": "Hüpiku mall", - "Set symbol": "Määra sümbol", - "Side panel": "Külgpaneel", - "Simplify": "Lihtsustamine", - "Symbol or url": "Sümbol või URL", - "Table": "Tabel", - "always": "alati", - "clear": "tühjenda", - "collapsed": "ahendatud", - "color": "Värv", - "dash array": "katkendjoon", - "define": "määra", - "description": "kirjeldus", - "expanded": "laiendatud", - "fill": "täide", - "fill color": "täitevärv", - "fill opacity": "täite läbipaistvus", - "hidden": "peidetud", - "iframe": "iframe", - "inherit": "päri", - "name": "nimi", - "never": "mitte kunagi", - "new window": "uus aken", - "no": "ei", - "on hover": "ülelibistamisel", - "opacity": "läbipaistvus", - "parent window": "emaaken", - "stroke": "piirjoon", - "weight": "jämedus", - "yes": "jah", - "{delay} seconds": "{delay} sekundit", - "# 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": "Teave", - "Action not allowed :(": "Tegevus pole lubatud :(", - "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", - "Add a layer": "Lisa kiht", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Lisa uus omadus", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Täiendavad tegevused", - "Advanced properties": "Täiendavad omadused", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Kõik omadused imporditi.", - "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 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?": "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", - "Bring feature to center": "Sea element keskpunktiks", - "Browse data": "Andmete sirvimine", - "Cancel edits": "Loobu muudatustest", - "Center map on your location": "Sea oma asukoht keskpunktiks", - "Change map background": "Vaheta kaardi taust", - "Change tilelayers": "Vaheta kaardi taust", - "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", - "Click to edit": "Klõpsa muutmiseks", - "Click to start drawing a line": "Klõpsa joone alustamiseks", - "Click to start drawing a polygon": "Klõpsa hulknurga alustamiseks", - "Clone": "Kopeeri", - "Clone of {name}": "{name} koopia", - "Clone this feature": "Kopeeri seda elementi", - "Clone this map": "Kopeeri seda kaarti", - "Close": "Sulge", - "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": "Jätka joont", - "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", - "Coordinates": "Koordinaadid", - "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": "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", - "Delete all layers": "Kustuta kõik kihid", - "Delete layer": "Kustuta kiht", - "Delete this feature": "Kustuta see element", - "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": "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": "Lohista ümberreastamiseks", @@ -159,6 +125,7 @@ "Draw a marker": "Lisa marker", "Draw a polygon": "Joonista hulknurk", "Draw a polyline": "Draw a polyline", + "Drop": "Tilk", "Dynamic": "Dünaamiline", "Dynamic properties": "Dünaamilised omadused", "Edit": "Muuda", @@ -172,23 +139,31 @@ "Embed the map": "Manusta kaart", "Empty": "Tühjenda", "Enable editing": "Luba muutmine", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Vigane tausta URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Välju täisekraanist", "Extract shape to separate feature": "Ekstrakti kujund eraldi elemendiks", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filtri võtmed", "Filter…": "Filtreeri...", "Format": "Vorming", "From zoom": "Suurendusastmest", "Full map data": "Kõik kaardi andmed", + "GeoRSS (only link)": "GeoRSS (ainult link)", + "GeoRSS (title + image)": "GeoRSS (pealkiri + pilt)", "Go to «{feature}»": "Mine «{feature}» juurde", + "Heatmap": "Soojuskaart", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Soojuskaardi raadius", "Help": "Abi", "Hide controls": "Peida juhtnupud", "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)", + "Icon shape": "Ikooni kuju", + "Icon symbol": "Ikooni sümbol", "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}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Impordi uuele kihile", "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?", + "Inherit": "Päri", "Interaction options": "Interaktsiooni suvandid", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Vigased uMapi andmed", "Invalid umap data in {filename}": "Vigased uMapi andmed failis {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Sildi suund", + "Label key": "Sildi võti", + "Labels are clickable": "Silte saab klõpsata", "Latitude": "Laius", "Layer": "Kiht", "Layer properties": "Kihi omadused", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "Litsentsi pole määratud", "No results": "Tulemused puuduvad", + "No results for these filters": "No results for these filters", + "None": "Mitte midagi", + "On the bottom": "All", + "On the left": "Vasakul", + "On the right": "Paremal", + "On the top": "Ülal", "Only visible features will be downloaded.": "Alla laaditakse ainult nähtavad elemendid", + "Open current feature on load": "Open current feature on load", "Open download panel": "Ava allalaadimise aken", "Open link in…": "Ava link...", "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.": "Valikuline.", "Optional. Same as color if not set.": "Valikuline. Sama mis värv, kui pole määratud teisiti", "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Paste your data here": "Kleebi oma andmed siia", + "Permalink": "Püsilink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", "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", + "Please save the map first": "Salvesta palun enne kaart", + "Popup": "Hüpik", + "Popup (large)": "Hüpik (suur)", + "Popup content style": "Hüpiku sisu stiil", + "Popup content template": "Hüpiku mall", + "Popup shape": "Hüpiku kuju", "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", @@ -262,12 +262,17 @@ "See all": "Näita kõiki", "See data layers": "Näita andmekihte", "See full screen": "Täisekraanvaade", + "Select data": "Select data", "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…", + "Set symbol": "Määra sümbol", "Shape properties": "Kujundi omadused", "Short URL": "Lühilink", "Short credits": "Short credits", "Show/hide layer": "Näita/peida kiht", + "Side panel": "Külgpaneel", "Simple link: [[http://example.com]]": "Link: [[http://example.com]]", + "Simplify": "Lihtsustamine", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slaidiprogramm", "Smart transitions": "Nutikad üleminekud", "Sort key": "Sorteerimise võti", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Sümbol või URL", "TMS format": "TMS vorming", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Suurendusastmeni", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.": "Sinu tehtud muudatused on salvestamata.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Eelmine", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Suurenda selle kohani", + "always": "alati", "attribution": "attribution", "by": "autorilt", + "clear": "tühjenda", + "collapsed": "ahendatud", + "color": "Värv", + "dash array": "katkendjoon", + "define": "määra", + "description": "kirjeldus", "display name": "display name", + "expanded": "laiendatud", + "fill": "täide", + "fill color": "täitevärv", + "fill opacity": "täite läbipaistvus", "height": "kõrgus", + "hidden": "peidetud", + "iframe": "iframe", + "inherit": "päri", "licence": "litsents", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "suurim suurendusaste", "min zoom": "vähim suurendusaste", + "name": "nimi", + "never": "mitte kunagi", + "new window": "uus aken", "next": "edasi", + "no": "ei", + "on hover": "ülelibistamisel", + "opacity": "läbipaistvus", + "parent window": "emaaken", "previous": "tagasi", + "stroke": "piirjoon", + "weight": "jämedus", "width": "laius", + "yes": "jah", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} sekundit", "Measure distances": "Vahemaade mõõtmine", "NM": "NM", "kilometers": "kilomeetrid", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "miilid", "nautical miles": "meremiilid", - "{area} acres": "{area} hektarit", - "{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} miili", - "{distance} yd": "{distance} yd", - "1 day": "1 päev", - "1 hour": "1 tund", - "5 min": "5 min", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", - "Popup": "Hüpik", - "Popup (large)": "Hüpik (suur)", - "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": "Kleebi oma andmed siia", - "Please save the map first": "Salvesta palun enne kaart", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} hektarit", + "{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} miili", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/fa_IR.js b/umap/static/umap/locale/fa_IR.js index 7238440a..c6f1f92a 100644 --- a/umap/static/umap/locale/fa_IR.js +++ b/umap/static/umap/locale/fa_IR.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- برای یک قاعده افقی", + "1 day": "1 روز", + "1 hour": "1 ساعت", + "5 min": "5 دقیقه", + "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": "حالت نمایش اسلاید را فعال کنید", + "Add a layer": "یک لایه اضافه کنید", + "Add a line to the current multi": "یک خط به مولتی فعلی اضافه کنید", + "Add a new property": "یک ویژگی جدید اضافه کنید", + "Add a polygon to the current multi": "چند ضلعی را به مولتی فعلی اضافه کنید", "Add symbol": "اضافه کردن نماد", + "Advanced actions": "اقدامات پیشرفته", + "Advanced filter keys": "کلیدهای فیلتر پیشرفته", + "Advanced properties": "خواص پیشرفته", + "Advanced transition": "انتقال پیشرفته", + "All properties are imported.": "همه املاک وارد شده است", + "Allow interactions": "اجازه تعامل دهید", "Allow scroll wheel zoom?": "آیا به زوم چرخ اسکرول اجازه داده شود؟", + "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": "خودکار", "Automatic": "خودکار", + "Autostart when map is loaded": "هنگام بارگیری، نقشه خودکار را راه اندازی کنید", + "Background overlay url": "Background overlay url", "Ball": "توپ", + "Bring feature to center": "ویژگی را به مرکز بیاورید", + "Browse data": "مرور داده ها", + "Cache proxied request": "درخواست پراکسی حافظه پنهان", "Cancel": "انصراف", + "Cancel edits": "لغو ویرایش ها", "Caption": "زیرنویس", + "Center map on your location": "نقشه مرکز بر روی موقعیت مکانی شما", + "Change map background": "تغییر پس زمینه نقشه", "Change symbol": "تغییر نماد", + "Change tilelayers": "کاشی های کاری را تغییر دهید", + "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the data format": "قالب داده را انتخاب کنید", + "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer of the feature": "لایه ویژگی را انتخاب کنید", + "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Circle": "دایره", + "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": "برای شروع ترسیم چند ضلعی کلیک کنید", + "Clone": "شبیه سازی / کلون", + "Clone of {name}": "شبیه سازی {name}", + "Clone this feature": "این ویژگی را شبیه سازی کنید", + "Clone this map": "شبیه سازی این نقشه", + "Close": "بستن", "Clustered": "خوشه ای", + "Clustering radius": "شعاع خوشه بندی", + "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", + "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", + "Continue line": "ادامه خط", + "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", + "Coordinates": "مختصات", + "Credits": "اعتبار", + "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", + "Custom background": "پس زمینه سفارشی", + "Custom overlay": "Custom overlay", "Data browser": "مرورگر داده", + "Data filters": "فیلتر داده‌ها", + "Data is browsable": "داده ها قابل مرور هستند", "Default": "پیش فرض", + "Default interaction options": "گزینه های پیش فرض تعامل", + "Default properties": "خواص پیش فرض", + "Default shape properties": "ویژگی های شکل پیش فرض", "Default zoom level": "سطح بزرگنمایی پیش فرض", "Default: name": "پیش فرض: نام", + "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 property on all the features": "این ویژگی را در همه ویژگی ها حذف کنید", + "Delete this shape": "این شکل را حذف کنید", + "Delete this vertex (Alt+Click)": "حذف این راس (Alt+Click)", + "Directions from here": "مسیرها از اینجا", + "Disable editing": "ویرایش را غیرفعال کنید", "Display label": "برچسب نمایش", + "Display measure": "اندازه نمایش", + "Display on load": "نمایش روی بارگذاری", "Display the control to open OpenStreetMap editor": "کنترل را برای باز کردن ویرایشگر اوپن‌استریت‌مپ نمایش دهید", "Display the data layers control": "نمایش کنترل لایه های داده", "Display the embed control": "نمایش کنترل جاسازی", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", "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": "برچسب ها قابل کلیک هستند", - "None": "هیچکدام", - "On the bottom": "در انتها", - "On the left": "در سمت چپ", - "On the right": "در سمت راست", - "On the top": "در بالا", - "Popup content template": "قالب محتوای بازشو", - "Set symbol": "تنظیم نماد", - "Side panel": "پنل کناری", - "Simplify": "ساده کنید", - "Symbol or url": "نماد یا آدرس اینترنتی", - "Table": "جدول", - "always": "همیشه", - "clear": "روشن/شفاف", - "collapsed": "فرو ریخت", - "color": "رنگ", - "dash array": "آرایه خط تیره", - "define": "تعريف كردن", - "description": "شرح", - "expanded": "منبسط", - "fill": "پر کردن", - "fill color": "پر کردن رنگ", - "fill opacity": "تاری/کِدِری را پر کنید", - "hidden": "پنهان", - "iframe": "iframe", - "inherit": "به ارث می برند", - "name": "نام", - "never": "هرگز", - "new window": "پنجره جدید", - "no": "نه", - "on hover": "روی شناور", - "opacity": "تاری/کِدِری", - "parent window": "پنجره والدین", - "stroke": "سکته", - "weight": "وزن/سنگینی", - "yes": "بله", - "{delay} seconds": "{تاخیر} ثانیه", - "# 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\".", - "About": "درباره", - "Action not allowed :(": "اقدام مجاز نیست :(", - "Activate slideshow mode": "حالت نمایش اسلاید را فعال کنید", - "Add a layer": "یک لایه اضافه کنید", - "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": "نقشه را به حساب من وصل کنید", - "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": "برای ادامه ترسیم کلیک کنید", - "Click to edit": "برای ویرایش کلیک کنید", - "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", - "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", - "Clone": "شبیه سازی / کلون", - "Clone of {name}": "شبیه سازی {name}", - "Clone this feature": "این ویژگی را شبیه سازی کنید", - "Clone this map": "شبیه سازی این نقشه", - "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", - "Continue line": "ادامه خط", - "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", - "Coordinates": "مختصات", - "Credits": "اعتبار", - "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", - "Custom background": "پس زمینه سفارشی", - "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": "حذف", - "Delete all layers": "حذف همه لایه ها", - "Delete layer": "حذف لایه", - "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": "نمایش روی بارگذاری", "Download": "دانلود", "Download data": "دانلود داده", "Drag to reorder": "برای مرتب سازی دیگر بکشید", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "یک نشانگر بکشید", "Draw a polygon": "چند ضلعی بکشید", "Draw a polyline": "چند خطی بکشید", + "Drop": "رها کردن", "Dynamic": "پویا", "Dynamic properties": "خواص پویا", "Edit": "ویرایش", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "نقشه را جاسازی کنید", "Empty": "خالی", "Enable editing": "ویرایش را فعال کنید", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "خطا در آدرس اینترنتی لایه کاشی", "Error while fetching {url}": "خطا هنگام واکشی {آدرس اینترنتی}", + "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", "Exit Fullscreen": "خروج از تمام صفحه", "Extract shape to separate feature": "استخراج شکل به ویژگی جدا", + "Feature identifier key": "کلید شناسایی ویژگی", "Fetch data each time map view changes.": "هر بار که نمای نقشه تغییر می کند، داده ها را واکشی کنید.", "Filter keys": "کلیدهای فیلتر", "Filter…": "فیلتر…", "Format": "قالب", "From zoom": "از زوم", "Full map data": "داده های نقشه کامل", + "GeoRSS (only link)": "GeoRSS (فقط لینک)", + "GeoRSS (title + image)": "GeoRSS (عنوان + تصویر)", "Go to «{feature}»": "به «{ویژگی}» بروید", + "Heatmap": "نقشه حرارت و گرما", "Heatmap intensity property": "ویژگی شدت حرارت", "Heatmap radius": "شعاع نقشه حرارتی", "Help": "راهنما", "Hide controls": "مخفی کردن کنترل ها", "Home": "خانه", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "چقدر می توان چند خطی را در هر سطح بزرگنمایی ساده کرد (بیشتر = عملکرد بهتر و ظاهر صاف، کمتر = دقیق تر)", + "Icon shape": "شکل نماد", + "Icon symbol": "آیکون نماد", "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}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "وارد کردن در یک لایه جدید", "Imports all umap data, including layers and settings.": "همه داده های umap ، از جمله لایه ها و تنظیمات را وارد می کند.", "Include full screen link?": "پیوند تمام صفحه را شامل می شود؟", + "Inherit": "ارث بری", "Interaction options": "گزینه های تعامل", + "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", "Invalid umap data": "داده های umap نامعتبر است", "Invalid umap data in {filename}": "داده های umap نامعتبر در {نام فایل}", + "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", "Keep current visible layers": "لایه های قابل مشاهده فعلی را حفظ کنید", + "Label direction": "جهت برچسب", + "Label key": "کلید برچسب", + "Labels are clickable": "برچسب ها قابل کلیک هستند", "Latitude": "عرض جغرافیایی", "Layer": "لایه", "Layer properties": "خواص لایه", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "ادغام خطوط", "More controls": "کنترل های بیشتر", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "باید یک مقدار CSS معتبر باشد (به عنوان مثال: DarkBlue یا #123456)", + "No cache": "بدون حافظه پنهان", "No licence has been set": "هیچ مجوزی تنظیم نشده است", "No results": "بدون نتیجه", + "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", + "None": "هیچکدام", + "On the bottom": "در انتها", + "On the left": "در سمت چپ", + "On the right": "در سمت راست", + "On the top": "در بالا", "Only visible features will be downloaded.": "فقط ویژگی های قابل مشاهده بارگیری می شوند.", + "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", "Open download panel": "باز کردن پنل بارگیری", "Open link in…": "باز کردن پیوند در…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "این محدوده نقشه را در ویرایشگر نقشه باز کنید تا داده های دقیق تری در اوپن‌استریت‌مپ ارائه شود", "Optional intensity property for heatmap": "ویژگی های اختیاری شدت برای نقشه حرارتی", + "Optional.": "اختیاری.", "Optional. Same as color if not set.": "اختیاری. اگر تنظیم نشده باشد همان رنگ است.", "Override clustering radius (default 80)": "نادیده گرفتن شعاع خوشه بندی (پیش فرض 80)", "Override heatmap radius (default 25)": "لغو شعاع نقشه حرارتی (پیش فرض 25)", + "Paste your data here": "اطلاعات و داده های خود را اینجا بچسبانید", + "Permalink": "پیوند ثابت", + "Permanent credits": "اعتبارات دائمی", + "Permanent credits background": "پیشینه اعتبارات دائمی", "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": "لطفا نام جدید این ملک را وارد کنید", + "Please save the map first": "لطفاً ابتدا نقشه را ذخیره کنید", + "Popup": "پنجره بازشو", + "Popup (large)": "پنجره بازشو (بزرگ)", + "Popup content style": "سبک محتوای بازشو", + "Popup content template": "قالب محتوای بازشو", + "Popup shape": "شکل پنجره بازشو", "Powered by Leaflet and Django, glued by uMap project.": "طراحی شده توسط Leaflet و Django، چسبیده به پروژه uMap.", "Problem in the response": "مشکل در پاسخگویی", "Problem in the response format": "مشکل در قالب پاسخگویی", @@ -262,12 +262,17 @@ var locale = { "See all": "همه را ببین", "See data layers": "لایه های داده را مشاهده کنید", "See full screen": "تمام صفحه را مشاهده کنید", + "Select data": "داده‌ها را انتخاب کنید", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "آن را روی غلط/false تنظیم کنید تا این لایه از نمایش اسلاید، مرورگر داده، ناوبری بازشو پنهان شود…", + "Set symbol": "تنظیم نماد", "Shape properties": "ویژگی های شکل", "Short URL": "آدرس اینترنتی کوتاه", "Short credits": "اعتبار کوتاه مدت", "Show/hide layer": "نمایش/مخفی کردن لایه", + "Side panel": "پنل کناری", "Simple link: [[http://example.com]]": "پیوند ساده: [[http://example.com]]", + "Simplify": "ساده کنید", + "Skipping unknown geometry.type: {type}": "رد شدن از geometry.type ناشناخته: {نوع}", "Slideshow": "نمایش اسلاید", "Smart transitions": "انتقال هوشمند", "Sort key": "کلید مرتب سازی", @@ -280,10 +285,13 @@ var locale = { "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.": "نماد می تواند یک ویژگی یونیکد یا یک آدرس اینترنتی باشد. می توانید از ویژگی های ویژگی به عنوان متغیر استفاده کنید: برای مثال: با \"http://myserver.org/images/{name}.png\" ، متغیر {name} با مقدار \"name\" هر نشانگر جایگزین می شود.", + "Symbol or url": "نماد یا آدرس اینترنتی", "TMS format": "قالب TMS", + "Table": "جدول", "Text color for the cluster label": "رنگ متن برای برچسب خوشه", "Text formatting": "قالب بندی متن", "The name of the property to use as feature label (ex.: \"nom\")": "نام ویژگی مورد استفاده برای برچسب ویژگی (به عنوان مثال: \"nom\")", + "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", "The zoom and center have been set.": "بزرگنمایی و مرکز تنظیم شده است.", "To use if remote server doesn't allow cross domain (slower)": "برای استفاده در صورت عدم دسترسی سرور از راه دور به دامنه (کندتر)", "To zoom": "زوم", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "چه کسی می تواند ویرایش کند", "Who can view": "چه کسی می تواند مشاهده کند", "Will be displayed in the bottom right corner of the map": "در گوشه سمت راست پایین نقشه نمایش داده می شود", + "Will be permanently visible in the bottom left 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.": "وای! به نظر می رسد شخص دیگری داده ها را ویرایش کرده است. در هر صورت می توانید ذخیره کنید، اما با این کار تغییرات ایجاد شده توسط دیگران پاک می شود.", "You have unsaved changes.": "تغییرات ذخیره نشده ای دارید.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "روی قبلی بزرگنمایی کنید", "Zoom to this feature": "روی این ویژگی بزرگنمایی کنید", "Zoom to this place": "روی این مکان بزرگنمایی کنید", + "always": "همیشه", "attribution": "انتساب", "by": "بوسیله", + "clear": "روشن/شفاف", + "collapsed": "فرو ریخت", + "color": "رنگ", + "dash array": "آرایه خط تیره", + "define": "تعريف كردن", + "description": "شرح", "display name": "نام نمایشی", + "expanded": "منبسط", + "fill": "پر کردن", + "fill color": "پر کردن رنگ", + "fill opacity": "تاری/کِدِری را پر کنید", "height": "ارتفاع", + "hidden": "پنهان", + "iframe": "iframe", + "inherit": "به ارث می برند", "licence": "مجوز", "max East": "حداکثر شرقی", "max North": "حداکثر شمالی", @@ -332,10 +355,21 @@ var locale = { "max West": "حداکثر غربی", "max zoom": "حداکثر بزرگنمایی", "min zoom": "حداقل بزرگنمایی", + "name": "نام", + "never": "هرگز", + "new window": "پنجره جدید", "next": "بعد", + "no": "نه", + "on hover": "روی شناور", + "opacity": "تاری/کِدِری", + "parent window": "پنجره والدین", "previous": "قبل", + "stroke": "سکته", + "weight": "وزن/سنگینی", "width": "عرض", + "yes": "بله", "{count} errors during import: {message}": "{شمردن} خطاها هنگام وارد کردن: {پیام}", + "{delay} seconds": "{تاخیر} ثانیه", "Measure distances": "فاصله ها را اندازه گیری کنید", "NM": "NM", "kilometers": "کیلومتر", @@ -343,45 +377,16 @@ var locale = { "mi": "مایل", "miles": "مایل ها", "nautical miles": "مایل دریایی", - "{area} acres": "{منطقه} هکتار", - "{area} ha": "{area} ha", - "{area} m²": "{منطقه} m²", - "{area} mi²": "{منطقه} mi²", - "{area} yd²": "{منطقه} yd²", - "{distance} NM": "{فاصله} NM", - "{distance} km": "{فاصله} km", - "{distance} m": "{فاصله} m", - "{distance} miles": "{فاصله} miles", - "{distance} yd": "{فاصله} yd", - "1 day": "1 روز", - "1 hour": "1 ساعت", - "5 min": "5 دقیقه", - "Cache proxied request": "درخواست پراکسی حافظه پنهان", - "No cache": "بدون حافظه پنهان", - "Popup": "پنجره بازشو", - "Popup (large)": "پنجره بازشو (بزرگ)", - "Popup content style": "سبک محتوای بازشو", - "Popup shape": "شکل پنجره بازشو", - "Skipping unknown geometry.type: {type}": "رد شدن از geometry.type ناشناخته: {نوع}", - "Optional.": "اختیاری.", - "Paste your data here": "اطلاعات و داده های خود را اینجا بچسبانید", - "Please save the map first": "لطفاً ابتدا نقشه را ذخیره کنید", - "Feature identifier key": "کلید شناسایی ویژگی", - "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", - "Permalink": "پیوند ثابت", - "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", - "Advanced filter keys": "کلیدهای فیلتر پیشرفته", - "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", - "Data filters": "فیلتر داده‌ها", - "Do you want to display caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", - "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", - "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", - "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", - "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", - "Permanent credits": "اعتبارات دائمی", - "Permanent credits background": "پیشینه اعتبارات دائمی", - "Select data": "داده‌ها را انتخاب کنید", - "Will be permanently visible in the bottom left corner of the map": "برای همیشه در گوشه سمت چپ پایین نقشه قابل مشاهده خواهد بود" + "{area} acres": "{منطقه} هکتار", + "{area} ha": "{area} ha", + "{area} m²": "{منطقه} m²", + "{area} mi²": "{منطقه} mi²", + "{area} yd²": "{منطقه} yd²", + "{distance} NM": "{فاصله} NM", + "{distance} km": "{فاصله} km", + "{distance} m": "{فاصله} m", + "{distance} miles": "{فاصله} miles", + "{distance} yd": "{فاصله} yd" }; L.registerLocale("fa_IR", locale); L.setLocale("fa_IR"); \ 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 3c65cef8..dd54bb60 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- برای یک قاعده افقی", + "1 day": "1 روز", + "1 hour": "1 ساعت", + "5 min": "5 دقیقه", + "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": "حالت نمایش اسلاید را فعال کنید", + "Add a layer": "یک لایه اضافه کنید", + "Add a line to the current multi": "یک خط به مولتی فعلی اضافه کنید", + "Add a new property": "یک ویژگی جدید اضافه کنید", + "Add a polygon to the current multi": "چند ضلعی را به مولتی فعلی اضافه کنید", "Add symbol": "اضافه کردن نماد", + "Advanced actions": "اقدامات پیشرفته", + "Advanced filter keys": "کلیدهای فیلتر پیشرفته", + "Advanced properties": "خواص پیشرفته", + "Advanced transition": "انتقال پیشرفته", + "All properties are imported.": "همه املاک وارد شده است", + "Allow interactions": "اجازه تعامل دهید", "Allow scroll wheel zoom?": "آیا به زوم چرخ اسکرول اجازه داده شود؟", + "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": "خودکار", "Automatic": "خودکار", + "Autostart when map is loaded": "هنگام بارگیری، نقشه خودکار را راه اندازی کنید", + "Background overlay url": "Background overlay url", "Ball": "توپ", + "Bring feature to center": "ویژگی را به مرکز بیاورید", + "Browse data": "مرور داده ها", + "Cache proxied request": "درخواست پراکسی حافظه پنهان", "Cancel": "انصراف", + "Cancel edits": "لغو ویرایش ها", "Caption": "زیرنویس", + "Center map on your location": "نقشه مرکز بر روی موقعیت مکانی شما", + "Change map background": "تغییر پس زمینه نقشه", "Change symbol": "تغییر نماد", + "Change tilelayers": "کاشی های کاری را تغییر دهید", + "Choose a preset": "از پیش تعیین شده را انتخاب کنید", "Choose the data format": "قالب داده را انتخاب کنید", + "Choose the format of the data to import": "قالب داده را برای وارد کردن انتخاب کنید", "Choose the layer of the feature": "لایه ویژگی را انتخاب کنید", + "Choose the layer to import in": "لایه ای را برای وارد کردن انتخاب کنید", "Circle": "دایره", + "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": "برای شروع ترسیم چند ضلعی کلیک کنید", + "Clone": "شبیه سازی / کلون", + "Clone of {name}": "شبیه سازی {name}", + "Clone this feature": "این ویژگی را شبیه سازی کنید", + "Clone this map": "شبیه سازی این نقشه", + "Close": "بستن", "Clustered": "خوشه ای", + "Clustering radius": "شعاع خوشه بندی", + "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", + "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", + "Continue line": "ادامه خط", + "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", + "Coordinates": "مختصات", + "Credits": "اعتبار", + "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", + "Custom background": "پس زمینه سفارشی", + "Custom overlay": "Custom overlay", "Data browser": "مرورگر داده", + "Data filters": "فیلتر داده‌ها", + "Data is browsable": "داده ها قابل مرور هستند", "Default": "پیش فرض", + "Default interaction options": "گزینه های پیش فرض تعامل", + "Default properties": "خواص پیش فرض", + "Default shape properties": "ویژگی های شکل پیش فرض", "Default zoom level": "سطح بزرگنمایی پیش فرض", "Default: name": "پیش فرض: نام", + "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 property on all the features": "این ویژگی را در همه ویژگی ها حذف کنید", + "Delete this shape": "این شکل را حذف کنید", + "Delete this vertex (Alt+Click)": "حذف این راس (Alt+Click)", + "Directions from here": "مسیرها از اینجا", + "Disable editing": "ویرایش را غیرفعال کنید", "Display label": "برچسب نمایش", + "Display measure": "اندازه نمایش", + "Display on load": "نمایش روی بارگذاری", "Display the control to open OpenStreetMap editor": "کنترل را برای باز کردن ویرایشگر اوپن‌استریت‌مپ نمایش دهید", "Display the data layers control": "نمایش کنترل لایه های داده", "Display the embed control": "نمایش کنترل جاسازی", @@ -27,131 +114,10 @@ "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 caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", "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": "برچسب ها قابل کلیک هستند", - "None": "هیچکدام", - "On the bottom": "در انتها", - "On the left": "در سمت چپ", - "On the right": "در سمت راست", - "On the top": "در بالا", - "Popup content template": "قالب محتوای بازشو", - "Set symbol": "تنظیم نماد", - "Side panel": "پنل کناری", - "Simplify": "ساده کنید", - "Symbol or url": "نماد یا آدرس اینترنتی", - "Table": "جدول", - "always": "همیشه", - "clear": "روشن/شفاف", - "collapsed": "فرو ریخت", - "color": "رنگ", - "dash array": "آرایه خط تیره", - "define": "تعريف كردن", - "description": "شرح", - "expanded": "منبسط", - "fill": "پر کردن", - "fill color": "پر کردن رنگ", - "fill opacity": "تاری/کِدِری را پر کنید", - "hidden": "پنهان", - "iframe": "iframe", - "inherit": "به ارث می برند", - "name": "نام", - "never": "هرگز", - "new window": "پنجره جدید", - "no": "نه", - "on hover": "روی شناور", - "opacity": "تاری/کِدِری", - "parent window": "پنجره والدین", - "stroke": "سکته", - "weight": "وزن/سنگینی", - "yes": "بله", - "{delay} seconds": "{تاخیر} ثانیه", - "# 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\".", - "About": "درباره", - "Action not allowed :(": "اقدام مجاز نیست :(", - "Activate slideshow mode": "حالت نمایش اسلاید را فعال کنید", - "Add a layer": "یک لایه اضافه کنید", - "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": "نقشه را به حساب من وصل کنید", - "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": "برای ادامه ترسیم کلیک کنید", - "Click to edit": "برای ویرایش کلیک کنید", - "Click to start drawing a line": "برای شروع رسم خط کلیک کنید", - "Click to start drawing a polygon": "برای شروع ترسیم چند ضلعی کلیک کنید", - "Clone": "شبیه سازی / کلون", - "Clone of {name}": "شبیه سازی {name}", - "Clone this feature": "این ویژگی را شبیه سازی کنید", - "Clone this map": "شبیه سازی این نقشه", - "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.": "مقادیر جدا شده با کاما، برگه یا نیمه کولون. SRS WGS84 ضمنی است. فقط هندسه نقطه وارد می شود. واردات به سربرگهای ستون برای ذکر هرگونه عبارت «lat» و «lon» در ابتدای سرصفحه، بدون حساس به حروف، نگاه می کند. همه ستون های دیگر به عنوان ویژگی وارد می شوند.", - "Continue line": "ادامه خط", - "Continue line (Ctrl+Click)": "ادامه خط (Ctrl+Click)", - "Coordinates": "مختصات", - "Credits": "اعتبار", - "Current view instead of default map view?": "نمای فعلی به جای نمای نقشه پیش فرض؟", - "Custom background": "پس زمینه سفارشی", - "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": "حذف", - "Delete all layers": "حذف همه لایه ها", - "Delete layer": "حذف لایه", - "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": "نمایش روی بارگذاری", "Download": "دانلود", "Download data": "دانلود داده", "Drag to reorder": "برای مرتب سازی دیگر بکشید", @@ -159,6 +125,7 @@ "Draw a marker": "یک نشانگر بکشید", "Draw a polygon": "چند ضلعی بکشید", "Draw a polyline": "چند خطی بکشید", + "Drop": "رها کردن", "Dynamic": "پویا", "Dynamic properties": "خواص پویا", "Edit": "ویرایش", @@ -172,23 +139,31 @@ "Embed the map": "نقشه را جاسازی کنید", "Empty": "خالی", "Enable editing": "ویرایش را فعال کنید", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "خطا در آدرس اینترنتی لایه کاشی", "Error while fetching {url}": "خطا هنگام واکشی {آدرس اینترنتی}", + "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", "Exit Fullscreen": "خروج از تمام صفحه", "Extract shape to separate feature": "استخراج شکل به ویژگی جدا", + "Feature identifier key": "کلید شناسایی ویژگی", "Fetch data each time map view changes.": "هر بار که نمای نقشه تغییر می کند، داده ها را واکشی کنید.", "Filter keys": "کلیدهای فیلتر", "Filter…": "فیلتر…", "Format": "قالب", "From zoom": "از زوم", "Full map data": "داده های نقشه کامل", + "GeoRSS (only link)": "GeoRSS (فقط لینک)", + "GeoRSS (title + image)": "GeoRSS (عنوان + تصویر)", "Go to «{feature}»": "به «{ویژگی}» بروید", + "Heatmap": "نقشه حرارت و گرما", "Heatmap intensity property": "ویژگی شدت حرارت", "Heatmap radius": "شعاع نقشه حرارتی", "Help": "راهنما", "Hide controls": "مخفی کردن کنترل ها", "Home": "خانه", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "چقدر می توان چند خطی را در هر سطح بزرگنمایی ساده کرد (بیشتر = عملکرد بهتر و ظاهر صاف، کمتر = دقیق تر)", + "Icon shape": "شکل نماد", + "Icon symbol": "آیکون نماد", "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}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "وارد کردن در یک لایه جدید", "Imports all umap data, including layers and settings.": "همه داده های umap ، از جمله لایه ها و تنظیمات را وارد می کند.", "Include full screen link?": "پیوند تمام صفحه را شامل می شود؟", + "Inherit": "ارث بری", "Interaction options": "گزینه های تعامل", + "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", "Invalid umap data": "داده های umap نامعتبر است", "Invalid umap data in {filename}": "داده های umap نامعتبر در {نام فایل}", + "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", "Keep current visible layers": "لایه های قابل مشاهده فعلی را حفظ کنید", + "Label direction": "جهت برچسب", + "Label key": "کلید برچسب", + "Labels are clickable": "برچسب ها قابل کلیک هستند", "Latitude": "عرض جغرافیایی", "Layer": "لایه", "Layer properties": "خواص لایه", @@ -225,20 +206,39 @@ "Merge lines": "ادغام خطوط", "More controls": "کنترل های بیشتر", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "باید یک مقدار CSS معتبر باشد (به عنوان مثال: DarkBlue یا #123456)", + "No cache": "بدون حافظه پنهان", "No licence has been set": "هیچ مجوزی تنظیم نشده است", "No results": "بدون نتیجه", + "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", + "None": "هیچکدام", + "On the bottom": "در انتها", + "On the left": "در سمت چپ", + "On the right": "در سمت راست", + "On the top": "در بالا", "Only visible features will be downloaded.": "فقط ویژگی های قابل مشاهده بارگیری می شوند.", + "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", "Open download panel": "باز کردن پنل بارگیری", "Open link in…": "باز کردن پیوند در…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "این محدوده نقشه را در ویرایشگر نقشه باز کنید تا داده های دقیق تری در اوپن‌استریت‌مپ ارائه شود", "Optional intensity property for heatmap": "ویژگی های اختیاری شدت برای نقشه حرارتی", + "Optional.": "اختیاری.", "Optional. Same as color if not set.": "اختیاری. اگر تنظیم نشده باشد همان رنگ است.", "Override clustering radius (default 80)": "نادیده گرفتن شعاع خوشه بندی (پیش فرض 80)", "Override heatmap radius (default 25)": "لغو شعاع نقشه حرارتی (پیش فرض 25)", + "Paste your data here": "اطلاعات و داده های خود را اینجا بچسبانید", + "Permalink": "پیوند ثابت", + "Permanent credits": "اعتبارات دائمی", + "Permanent credits background": "پیشینه اعتبارات دائمی", "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": "لطفا نام جدید این ملک را وارد کنید", + "Please save the map first": "لطفاً ابتدا نقشه را ذخیره کنید", + "Popup": "پنجره بازشو", + "Popup (large)": "پنجره بازشو (بزرگ)", + "Popup content style": "سبک محتوای بازشو", + "Popup content template": "قالب محتوای بازشو", + "Popup shape": "شکل پنجره بازشو", "Powered by Leaflet and Django, glued by uMap project.": "طراحی شده توسط Leaflet و Django، چسبیده به پروژه uMap.", "Problem in the response": "مشکل در پاسخگویی", "Problem in the response format": "مشکل در قالب پاسخگویی", @@ -262,12 +262,17 @@ "See all": "همه را ببین", "See data layers": "لایه های داده را مشاهده کنید", "See full screen": "تمام صفحه را مشاهده کنید", + "Select data": "داده‌ها را انتخاب کنید", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "آن را روی غلط/false تنظیم کنید تا این لایه از نمایش اسلاید، مرورگر داده، ناوبری بازشو پنهان شود…", + "Set symbol": "تنظیم نماد", "Shape properties": "ویژگی های شکل", "Short URL": "آدرس اینترنتی کوتاه", "Short credits": "اعتبار کوتاه مدت", "Show/hide layer": "نمایش/مخفی کردن لایه", + "Side panel": "پنل کناری", "Simple link: [[http://example.com]]": "پیوند ساده: [[http://example.com]]", + "Simplify": "ساده کنید", + "Skipping unknown geometry.type: {type}": "رد شدن از geometry.type ناشناخته: {نوع}", "Slideshow": "نمایش اسلاید", "Smart transitions": "انتقال هوشمند", "Sort key": "کلید مرتب سازی", @@ -280,10 +285,13 @@ "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.": "نماد می تواند یک ویژگی یونیکد یا یک آدرس اینترنتی باشد. می توانید از ویژگی های ویژگی به عنوان متغیر استفاده کنید: برای مثال: با \"http://myserver.org/images/{name}.png\" ، متغیر {name} با مقدار \"name\" هر نشانگر جایگزین می شود.", + "Symbol or url": "نماد یا آدرس اینترنتی", "TMS format": "قالب TMS", + "Table": "جدول", "Text color for the cluster label": "رنگ متن برای برچسب خوشه", "Text formatting": "قالب بندی متن", "The name of the property to use as feature label (ex.: \"nom\")": "نام ویژگی مورد استفاده برای برچسب ویژگی (به عنوان مثال: \"nom\")", + "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", "The zoom and center have been set.": "بزرگنمایی و مرکز تنظیم شده است.", "To use if remote server doesn't allow cross domain (slower)": "برای استفاده در صورت عدم دسترسی سرور از راه دور به دامنه (کندتر)", "To zoom": "زوم", @@ -310,6 +318,7 @@ "Who can edit": "چه کسی می تواند ویرایش کند", "Who can view": "چه کسی می تواند مشاهده کند", "Will be displayed in the bottom right corner of the map": "در گوشه سمت راست پایین نقشه نمایش داده می شود", + "Will be permanently visible in the bottom left 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.": "وای! به نظر می رسد شخص دیگری داده ها را ویرایش کرده است. در هر صورت می توانید ذخیره کنید، اما با این کار تغییرات ایجاد شده توسط دیگران پاک می شود.", "You have unsaved changes.": "تغییرات ذخیره نشده ای دارید.", @@ -321,10 +330,24 @@ "Zoom to the previous": "روی قبلی بزرگنمایی کنید", "Zoom to this feature": "روی این ویژگی بزرگنمایی کنید", "Zoom to this place": "روی این مکان بزرگنمایی کنید", + "always": "همیشه", "attribution": "انتساب", "by": "بوسیله", + "clear": "روشن/شفاف", + "collapsed": "فرو ریخت", + "color": "رنگ", + "dash array": "آرایه خط تیره", + "define": "تعريف كردن", + "description": "شرح", "display name": "نام نمایشی", + "expanded": "منبسط", + "fill": "پر کردن", + "fill color": "پر کردن رنگ", + "fill opacity": "تاری/کِدِری را پر کنید", "height": "ارتفاع", + "hidden": "پنهان", + "iframe": "iframe", + "inherit": "به ارث می برند", "licence": "مجوز", "max East": "حداکثر شرقی", "max North": "حداکثر شمالی", @@ -332,10 +355,21 @@ "max West": "حداکثر غربی", "max zoom": "حداکثر بزرگنمایی", "min zoom": "حداقل بزرگنمایی", + "name": "نام", + "never": "هرگز", + "new window": "پنجره جدید", "next": "بعد", + "no": "نه", + "on hover": "روی شناور", + "opacity": "تاری/کِدِری", + "parent window": "پنجره والدین", "previous": "قبل", + "stroke": "سکته", + "weight": "وزن/سنگینی", "width": "عرض", + "yes": "بله", "{count} errors during import: {message}": "{شمردن} خطاها هنگام وارد کردن: {پیام}", + "{delay} seconds": "{تاخیر} ثانیه", "Measure distances": "فاصله ها را اندازه گیری کنید", "NM": "NM", "kilometers": "کیلومتر", @@ -343,43 +377,14 @@ "mi": "مایل", "miles": "مایل ها", "nautical miles": "مایل دریایی", - "{area} acres": "{منطقه} هکتار", - "{area} ha": "{area} ha", - "{area} m²": "{منطقه} m²", - "{area} mi²": "{منطقه} mi²", - "{area} yd²": "{منطقه} yd²", - "{distance} NM": "{فاصله} NM", - "{distance} km": "{فاصله} km", - "{distance} m": "{فاصله} m", - "{distance} miles": "{فاصله} miles", - "{distance} yd": "{فاصله} yd", - "1 day": "1 روز", - "1 hour": "1 ساعت", - "5 min": "5 دقیقه", - "Cache proxied request": "درخواست پراکسی حافظه پنهان", - "No cache": "بدون حافظه پنهان", - "Popup": "پنجره بازشو", - "Popup (large)": "پنجره بازشو (بزرگ)", - "Popup content style": "سبک محتوای بازشو", - "Popup shape": "شکل پنجره بازشو", - "Skipping unknown geometry.type: {type}": "رد شدن از geometry.type ناشناخته: {نوع}", - "Optional.": "اختیاری.", - "Paste your data here": "اطلاعات و داده های خود را اینجا بچسبانید", - "Please save the map first": "لطفاً ابتدا نقشه را ذخیره کنید", - "Feature identifier key": "کلید شناسایی ویژگی", - "Open current feature on load": "باز کردن ویژگی فعلی هنگام بارگیری", - "Permalink": "پیوند ثابت", - "The name of the property to use as feature unique identifier.": "نام ویژگی برای استفاده به عنوان شناسه منحصر به فرد ویژگی.", - "Advanced filter keys": "کلیدهای فیلتر پیشرفته", - "Comma separated list of properties to use for checkbox filtering": "فهرستی از ویژگی‌های جدا شده با کاما برای استفاده برای فیلتر کردن کادر تأیید", - "Data filters": "فیلتر داده‌ها", - "Do you want to display caption menus?": "آیا می‌خواهید منوهای زیرنویس نشان داده شود؟", - "Example: key1,key2,key3": "به عنوان مثال: کلید 1، کلید 2، کلید 3", - "Invalid latitude or longitude": "طول یا عرض جغرافیایی نامعتبر است", - "Invalide property name: {name}": "نام دارایی معتبر نیست: {name}", - "No results for these filters": "برای این فیلترها هیچ نتیجه‌ای وجود ندارد", - "Permanent credits": "اعتبارات دائمی", - "Permanent credits background": "پیشینه اعتبارات دائمی", - "Select data": "داده‌ها را انتخاب کنید", - "Will be permanently visible in the bottom left corner of the map": "برای همیشه در گوشه سمت چپ پایین نقشه قابل مشاهده خواهد بود" + "{area} acres": "{منطقه} هکتار", + "{area} ha": "{area} ha", + "{area} m²": "{منطقه} m²", + "{area} mi²": "{منطقه} mi²", + "{area} yd²": "{منطقه} yd²", + "{distance} NM": "{فاصله} NM", + "{distance} km": "{فاصله} km", + "{distance} m": "{فاصله} m", + "{distance} miles": "{فاصله} miles", + "{distance} yd": "{فاصله} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 1d29a8a7..91a948df 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# yksi risuaita tekee päätason otsikon", + "## two hashes for second heading": "## kaksi risuaitaa tekee kakkostason otsikon", + "### three hashes for third heading": "### kolme risuaitaa tekee kolmostason otsikon", + "**double star for bold**": "**tuplatähti lihavoi**", + "*simple star for italic*": "*yksi tähti kursivoi*", + "--- for an horizontal rule": "--- luo vaakasuoran erottimen kuplan halki", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Tietoja", + "Action not allowed :(": "Toimenpide ei ole sallittu :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Lisää kerros", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Lisää uusi ominaisuus", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Lisää symboli", + "Advanced actions": "Lisätoiminnot", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Lisäominaisuudet", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Kaikki omainaisuudet tuodaan.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Salli zoomaus hiiren rullalla?", + "An error occured": "Hups! Virhe on tapahtunut...", + "Are you sure you want to cancel your changes?": "Oletko _ihan_ varma, että haluat peruuttaa muutoksesi?", + "Are you sure you want to clone this map and all its datalayers?": "Oletko varma että haluat kloonata tämän kartan ja kaikki sen data-kerrokset?", + "Are you sure you want to delete the feature?": "Oletko varma että haluat poistaa piirteen?", + "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?": "Oletko ihan täysin varma, että haluat poistaa tämän kartan? Poistettua karttaa ei voi palauttaa.", + "Are you sure you want to delete this property on all the features?": "Oletko varma että haluat poistaa tämän ominaisuuden kaikista piirteistä?", + "Are you sure you want to restore this version?": "Oletko varma että haluat palauttaa tämän version?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Automaattinen", "Automatic": "Automaattinen", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Pallo", + "Bring feature to center": "Tuo piirre keskelle", + "Browse data": "Selaa tietoja", + "Cache proxied request": "Cache proxied request", "Cancel": "Peruuta", + "Cancel edits": "Peruuta muokkaukset", "Caption": "Kuvateksti", + "Center map on your location": "Keskitä kartta sijaintiisi", + "Change map background": "Vaihda taustakarttaa", "Change symbol": "Vaihda symboli", + "Change tilelayers": "Muuta karttavaihtoehtoja", + "Choose a preset": "Valitse", "Choose the data format": "Valitse päivämäärän muoto", + "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer of the feature": "Valitse piirteen kerros", + "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Circle": "Ympyrä", + "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", + "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", + "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", + "Click to edit": "Klikkaa muokataksesi", + "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", + "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", + "Clone": "Kloonaa", + "Clone of {name}": "{name}n klooni", + "Clone this feature": "Kloonaa tämä piirre", + "Clone this map": "Kloonaa tämä kartta", + "Close": "Sulje", "Clustered": "Klusteroituna", + "Clustering radius": "Klusterointisäde", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Pilkkueroteltu lista käytettävistä ominaisuuksista piirteitä suodatettaessa.", + "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.": "Pilkku-, tabulaattori- tai puolipiste-erotettuja arvoja. Koordinaattijärjestemänä WGS84. Vain pistegeometriat tuodaan uMapiin. Tietue-tuonti etsii «lat»- ja «lon»-alkavia sarakeotsikoita. Kaikki muut sarakkeet tuodaan ominaisuustietoina.", + "Continue line": "Jatka viivaa", + "Continue line (Ctrl+Click)": "Jatka viivaa (Ctrl+Klikkaus)", + "Coordinates": "Koordinaatit", + "Credits": "Tunnustukset", + "Current view instead of default map view?": "Nykyinen näkymä oletuskarttanäkymän asemesta?", + "Custom background": "Räätälöity tausta", + "Custom overlay": "Custom overlay", "Data browser": "Dataselain", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Oletusarvo", + "Default interaction options": "Default interaction options", + "Default properties": "Oletusasetukset", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Oletus: nimi", + "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": "Poista", + "Delete all layers": "Poista kaikki kerrokset", + "Delete layer": "Poista kerros", + "Delete this feature": "Poista tämä piirre", + "Delete this property on all the features": "Poista tämä ominaisuus kaikista piirteistä", + "Delete this shape": "Poista tämä muoto", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Ohjeet täältä", + "Disable editing": "Lopeta kartan muokaaminen", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Näytä ladattaessa", "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", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Haluatko näyttää otsikkopalkin?", "Do you want to display a minimap?": "Haluatko aktivoida minikartan?", "Do you want to display a panel on load?": "Haluatko näyttää paneelin ladattaessa?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Haluatko näyttää ponnahdusikkunan alatunnisteen?", "Do you want to display the scale control?": "Näytetäänkö mittakaavaohjain?", "Do you want to display the «more» control?": "Haluatko näyttää «lisää»-ohjaimen?", - "Drop": "Pisara", - "GeoRSS (only link)": "GeoRSS (vain linkki)", - "GeoRSS (title + image)": "GeoRSS (otsikko + kuva)", - "Heatmap": "Lämpökartta", - "Icon shape": "Ikonin muoto", - "Icon symbol": "Ikonin symboli", - "Inherit": "Peri", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Ei mitään", - "On the bottom": "Alhaalla", - "On the left": "Vasemmalla", - "On the right": "Oikealla", - "On the top": "Ylhäällä", - "Popup content template": "Ponnahdusikkunan sisällön sapluuna", - "Set symbol": "Set symbol", - "Side panel": "Sivupaneeli", - "Simplify": "Yksinkertaista", - "Symbol or url": "Symbol or url", - "Table": "Taulukko", - "always": "aina", - "clear": "clear", - "collapsed": "collapsed", - "color": "väri", - "dash array": "katkoviivatyyppilista", - "define": "määritä", - "description": "kuvaus", - "expanded": "laajennettu", - "fill": "täyttö", - "fill color": "täyteväri", - "fill opacity": "täytön läpinäkyvyys", - "hidden": "piilotettu", - "iframe": "iframe", - "inherit": "peri", - "name": "nimi", - "never": "ei koskaan", - "new window": "uusi ikkuna", - "no": "ei", - "on hover": "on hover", - "opacity": "läpikuultavuus", - "parent window": "parent window", - "stroke": "sivallus", - "weight": "paksuus", - "yes": "kyllä", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# yksi risuaita tekee päätason otsikon", - "## two hashes for second heading": "## kaksi risuaitaa tekee kakkostason otsikon", - "### three hashes for third heading": "### kolme risuaitaa tekee kolmostason otsikon", - "**double star for bold**": "**tuplatähti lihavoi**", - "*simple star for italic*": "*yksi tähti kursivoi*", - "--- for an horizontal rule": "--- luo vaakasuoran erottimen kuplan halki", - "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": "Tietoja", - "Action not allowed :(": "Toimenpide ei ole sallittu :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Lisää kerros", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Lisää uusi ominaisuus", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Lisätoiminnot", - "Advanced properties": "Lisäominaisuudet", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Kaikki omainaisuudet tuodaan.", - "Allow interactions": "Allow interactions", - "An error occured": "Hups! Virhe on tapahtunut...", - "Are you sure you want to cancel your changes?": "Oletko _ihan_ varma, että haluat peruuttaa muutoksesi?", - "Are you sure you want to clone this map and all its datalayers?": "Oletko varma että haluat kloonata tämän kartan ja kaikki sen data-kerrokset?", - "Are you sure you want to delete the feature?": "Oletko varma että haluat poistaa piirteen?", - "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?": "Oletko ihan täysin varma, että haluat poistaa tämän kartan? Poistettua karttaa ei voi palauttaa.", - "Are you sure you want to delete this property on all the features?": "Oletko varma että haluat poistaa tämän ominaisuuden kaikista piirteistä?", - "Are you sure you want to restore this version?": "Oletko varma että haluat palauttaa tämän version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Automaattinen", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Tuo piirre keskelle", - "Browse data": "Selaa tietoja", - "Cancel edits": "Peruuta muokkaukset", - "Center map on your location": "Keskitä kartta sijaintiisi", - "Change map background": "Vaihda taustakarttaa", - "Change tilelayers": "Muuta karttavaihtoehtoja", - "Choose a preset": "Valitse", - "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", - "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", - "Click to edit": "Klikkaa muokataksesi", - "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", - "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", - "Clone": "Kloonaa", - "Clone of {name}": "{name}n klooni", - "Clone this feature": "Kloonaa tämä piirre", - "Clone this map": "Kloonaa tämä kartta", - "Close": "Sulje", - "Clustering radius": "Klusterointisäde", - "Comma separated list of properties to use when filtering features": "Pilkkueroteltu lista käytettävistä ominaisuuksista piirteitä suodatettaessa.", - "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.": "Pilkku-, tabulaattori- tai puolipiste-erotettuja arvoja. Koordinaattijärjestemänä WGS84. Vain pistegeometriat tuodaan uMapiin. Tietue-tuonti etsii «lat»- ja «lon»-alkavia sarakeotsikoita. Kaikki muut sarakkeet tuodaan ominaisuustietoina.", - "Continue line": "Jatka viivaa", - "Continue line (Ctrl+Click)": "Jatka viivaa (Ctrl+Klikkaus)", - "Coordinates": "Koordinaatit", - "Credits": "Tunnustukset", - "Current view instead of default map view?": "Nykyinen näkymä oletuskarttanäkymän asemesta?", - "Custom background": "Räätälöity tausta", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Oletusasetukset", - "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": "Poista", - "Delete all layers": "Poista kaikki kerrokset", - "Delete layer": "Poista kerros", - "Delete this feature": "Poista tämä piirre", - "Delete this property on all the features": "Poista tämä ominaisuus kaikista piirteistä", - "Delete this shape": "Poista tämä muoto", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Ohjeet täältä", - "Disable editing": "Lopeta kartan muokaaminen", - "Display measure": "Display measure", - "Display on load": "Näytä ladattaessa", "Download": "Download", "Download data": "Lataa tietoja", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Piirrä karttamerkki", "Draw a polygon": "Piirrä monikulmio", "Draw a polyline": "Piirrä monisegmenttinen viiva", + "Drop": "Pisara", "Dynamic": "Dynaaminen", "Dynamic properties": "Dynaamiset ominaisuudet", "Edit": "Muokkaa", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Liitä kartta", "Empty": "Tyhjä", "Enable editing": "Aktivoi kartan muokkaus", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Virhe karttalaattojen URL:ssä", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Irroita muoto erilliseksi piirteeksi.", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Suodata...", "Format": "Formaatti", "From zoom": "Zoomaustasolta", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (vain linkki)", + "GeoRSS (title + image)": "GeoRSS (otsikko + kuva)", "Go to «{feature}»": "Mene piirteeseen «{feature}»", + "Heatmap": "Lämpökartta", "Heatmap intensity property": "Lämpökartan vahvuusominaisuus", "Heatmap radius": "Lämpökartan säde", "Help": "Apua", "Hide controls": "Piilota ohjaimet", "Home": "Alku", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kuinka paljon viivaa yleistetäänkullakin zoomaustasolla (enemmän = parempi suorituskyky, vähemmän = suurempi tarkkuus)", + "Icon shape": "Ikonin muoto", + "Icon symbol": "Ikonin symboli", "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-vientiasetukset", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe määrätyn korkuisena (pikseleinä): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Tuo uuteen kerrokseen", "Imports all umap data, including layers and settings.": "Tuo kaikki karttatiedot, mukaan lukien datatasot ja asetukset.", "Include full screen link?": "Sisällytä koko näyttö -linkki?", + "Inherit": "Peri", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Virheellistä uMap-dataa", "Invalid umap data in {filename}": "Virheellistä uMap-dataa {filename}:ssa", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Pidä nyt näkyvät datakerrokset", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Leveysaste", "Layer": "Kerros", "Layer properties": "Datakerroksen ominaisuudet", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Yhdistä rivit", "More controls": "Lisää ohjaimia", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Lisenssiä ei ole määritetty", "No results": "Ei tuloksia", + "No results for these filters": "No results for these filters", + "None": "Ei mitään", + "On the bottom": "Alhaalla", + "On the left": "Vasemmalla", + "On the right": "Oikealla", + "On the top": "Ylhäällä", "Only visible features will be downloaded.": "Vain näkyvät piirteet ladataan.", + "Open current feature on load": "Open current feature on load", "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": "Avaa rajauksen mukainen alue editorissa parantaaksesi OpenStreetMapin tietosisältöä.", "Optional intensity property for heatmap": "Valinnainen lämpökartan vahvuusominaisuus", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Valinnainen. Sama kuin väri jos ei asetettu.", "Override clustering radius (default 80)": "Ohita klusterointisäde (oletus on 80)", "Override heatmap radius (default 25)": "Ohita lämpökartan säde (oletus on 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Huomioithan että valitsemasi lisenssi on yhteensopiva käyttösi kanssa.", "Please choose a format": "Valitse formaatti", "Please enter the name of the property": "Kirjoita ominaisuuden nimi", "Please enter the new name of this property": "Kirjoita ominaisuuden uusi nimi", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Ponnahdusikkunan sisällön sapluuna", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Konepellin alla hyrrää Leaflet ja Django; uMap-projektin kasaan liimaamana.", "Problem in the response": "Ongelma vastauksessa", "Problem in the response format": "Ongelma vastauksen muodossa", @@ -262,12 +262,17 @@ var locale = { "See all": "Näytä kaikki", "See data layers": "See data layers", "See full screen": "Katso koko näytöllä", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Piirteen ominaisuudet", "Short URL": "Lyhyt URL", "Short credits": "Lyhyet tekijätiedot", "Show/hide layer": "Näytä/piilota kerros", + "Side panel": "Sivupaneeli", "Simple link: [[http://example.com]]": "Yksinkertainen linkki: [[http://esimerkki.fi]]", + "Simplify": "Yksinkertaista", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Kuvaesitys", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Tuettu muoto", "Supported variables that will be dynamically replaced": "Tuetut muuttujat, jotka korvataan dynaamisesti", "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS-formaatti", + "Table": "Taulukko", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Zoomaukseen", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Näytetään kartan oikeassa alakulmassa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Näytetään kartan kuvatekstinä", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hupsankeikkaa! Joku muu on näemmä muokannut tietoja. Voit tallentaa joka tapauksessa, mutta tallentamisesi poistaa muiden muokkaukset.", "You have unsaved changes.": "Sinulla on tallentamattomia muutoksia.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Kohdenna edelliseen", "Zoom to this feature": "Kohdenna tähän piirteeseen", "Zoom to this place": "Kohdenna tähän paikkaan", + "always": "aina", "attribution": "Viittaukset tausta-aineiston lisenssiin", "by": "taholta", + "clear": "clear", + "collapsed": "collapsed", + "color": "väri", + "dash array": "katkoviivatyyppilista", + "define": "määritä", + "description": "kuvaus", "display name": "näytettävä nimi", + "expanded": "laajennettu", + "fill": "täyttö", + "fill color": "täyteväri", + "fill opacity": "täytön läpinäkyvyys", "height": "korkeus", + "hidden": "piilotettu", + "iframe": "iframe", + "inherit": "peri", "licence": "lisenssi", "max East": "itäraja", "max North": "pohjoisraja", @@ -332,10 +355,21 @@ var locale = { "max West": "länsiraja", "max zoom": "suurin zoomaustaso", "min zoom": "pienin zoomaustaso", + "name": "nimi", + "never": "ei koskaan", + "new window": "uusi ikkuna", "next": "seuraava", + "no": "ei", + "on hover": "on hover", + "opacity": "läpikuultavuus", + "parent window": "parent window", "previous": "edellinen", + "stroke": "sivallus", + "weight": "paksuus", "width": "leveys", + "yes": "kyllä", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("fi", locale); L.setLocale("fi"); \ No newline at end of file diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index f77d7e69..7a3cff65 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# yksi risuaita tekee päätason otsikon", + "## two hashes for second heading": "## kaksi risuaitaa tekee kakkostason otsikon", + "### three hashes for third heading": "### kolme risuaitaa tekee kolmostason otsikon", + "**double star for bold**": "**tuplatähti lihavoi**", + "*simple star for italic*": "*yksi tähti kursivoi*", + "--- for an horizontal rule": "--- luo vaakasuoran erottimen kuplan halki", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Tietoja", + "Action not allowed :(": "Toimenpide ei ole sallittu :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Lisää kerros", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Lisää uusi ominaisuus", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Lisää symboli", + "Advanced actions": "Lisätoiminnot", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Lisäominaisuudet", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Kaikki omainaisuudet tuodaan.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Salli zoomaus hiiren rullalla?", + "An error occured": "Hups! Virhe on tapahtunut...", + "Are you sure you want to cancel your changes?": "Oletko _ihan_ varma, että haluat peruuttaa muutoksesi?", + "Are you sure you want to clone this map and all its datalayers?": "Oletko varma että haluat kloonata tämän kartan ja kaikki sen data-kerrokset?", + "Are you sure you want to delete the feature?": "Oletko varma että haluat poistaa piirteen?", + "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?": "Oletko ihan täysin varma, että haluat poistaa tämän kartan? Poistettua karttaa ei voi palauttaa.", + "Are you sure you want to delete this property on all the features?": "Oletko varma että haluat poistaa tämän ominaisuuden kaikista piirteistä?", + "Are you sure you want to restore this version?": "Oletko varma että haluat palauttaa tämän version?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Automaattinen", "Automatic": "Automaattinen", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Pallo", + "Bring feature to center": "Tuo piirre keskelle", + "Browse data": "Selaa tietoja", + "Cache proxied request": "Cache proxied request", "Cancel": "Peruuta", + "Cancel edits": "Peruuta muokkaukset", "Caption": "Kuvateksti", + "Center map on your location": "Keskitä kartta sijaintiisi", + "Change map background": "Vaihda taustakarttaa", "Change symbol": "Vaihda symboli", + "Change tilelayers": "Muuta karttavaihtoehtoja", + "Choose a preset": "Valitse", "Choose the data format": "Valitse päivämäärän muoto", + "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", "Choose the layer of the feature": "Valitse piirteen kerros", + "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", "Circle": "Ympyrä", + "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", + "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", + "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", + "Click to edit": "Klikkaa muokataksesi", + "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", + "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", + "Clone": "Kloonaa", + "Clone of {name}": "{name}n klooni", + "Clone this feature": "Kloonaa tämä piirre", + "Clone this map": "Kloonaa tämä kartta", + "Close": "Sulje", "Clustered": "Klusteroituna", + "Clustering radius": "Klusterointisäde", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Pilkkueroteltu lista käytettävistä ominaisuuksista piirteitä suodatettaessa.", + "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.": "Pilkku-, tabulaattori- tai puolipiste-erotettuja arvoja. Koordinaattijärjestemänä WGS84. Vain pistegeometriat tuodaan uMapiin. Tietue-tuonti etsii «lat»- ja «lon»-alkavia sarakeotsikoita. Kaikki muut sarakkeet tuodaan ominaisuustietoina.", + "Continue line": "Jatka viivaa", + "Continue line (Ctrl+Click)": "Jatka viivaa (Ctrl+Klikkaus)", + "Coordinates": "Koordinaatit", + "Credits": "Tunnustukset", + "Current view instead of default map view?": "Nykyinen näkymä oletuskarttanäkymän asemesta?", + "Custom background": "Räätälöity tausta", + "Custom overlay": "Custom overlay", "Data browser": "Dataselain", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Oletusarvo", + "Default interaction options": "Default interaction options", + "Default properties": "Oletusasetukset", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Oletus: nimi", + "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": "Poista", + "Delete all layers": "Poista kaikki kerrokset", + "Delete layer": "Poista kerros", + "Delete this feature": "Poista tämä piirre", + "Delete this property on all the features": "Poista tämä ominaisuus kaikista piirteistä", + "Delete this shape": "Poista tämä muoto", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Ohjeet täältä", + "Disable editing": "Lopeta kartan muokaaminen", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Näytä ladattaessa", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Haluatko näyttää otsikkopalkin?", "Do you want to display a minimap?": "Haluatko aktivoida minikartan?", "Do you want to display a panel on load?": "Haluatko näyttää paneelin ladattaessa?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Haluatko näyttää ponnahdusikkunan alatunnisteen?", "Do you want to display the scale control?": "Näytetäänkö mittakaavaohjain?", "Do you want to display the «more» control?": "Haluatko näyttää «lisää»-ohjaimen?", - "Drop": "Pisara", - "GeoRSS (only link)": "GeoRSS (vain linkki)", - "GeoRSS (title + image)": "GeoRSS (otsikko + kuva)", - "Heatmap": "Lämpökartta", - "Icon shape": "Ikonin muoto", - "Icon symbol": "Ikonin symboli", - "Inherit": "Peri", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Ei mitään", - "On the bottom": "Alhaalla", - "On the left": "Vasemmalla", - "On the right": "Oikealla", - "On the top": "Ylhäällä", - "Popup content template": "Ponnahdusikkunan sisällön sapluuna", - "Set symbol": "Set symbol", - "Side panel": "Sivupaneeli", - "Simplify": "Yksinkertaista", - "Symbol or url": "Symbol or url", - "Table": "Taulukko", - "always": "aina", - "clear": "clear", - "collapsed": "collapsed", - "color": "väri", - "dash array": "katkoviivatyyppilista", - "define": "määritä", - "description": "kuvaus", - "expanded": "laajennettu", - "fill": "täyttö", - "fill color": "täyteväri", - "fill opacity": "täytön läpinäkyvyys", - "hidden": "piilotettu", - "iframe": "iframe", - "inherit": "peri", - "name": "nimi", - "never": "ei koskaan", - "new window": "uusi ikkuna", - "no": "ei", - "on hover": "on hover", - "opacity": "läpikuultavuus", - "parent window": "parent window", - "stroke": "sivallus", - "weight": "paksuus", - "yes": "kyllä", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# yksi risuaita tekee päätason otsikon", - "## two hashes for second heading": "## kaksi risuaitaa tekee kakkostason otsikon", - "### three hashes for third heading": "### kolme risuaitaa tekee kolmostason otsikon", - "**double star for bold**": "**tuplatähti lihavoi**", - "*simple star for italic*": "*yksi tähti kursivoi*", - "--- for an horizontal rule": "--- luo vaakasuoran erottimen kuplan halki", - "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": "Tietoja", - "Action not allowed :(": "Toimenpide ei ole sallittu :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Lisää kerros", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Lisää uusi ominaisuus", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Lisätoiminnot", - "Advanced properties": "Lisäominaisuudet", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Kaikki omainaisuudet tuodaan.", - "Allow interactions": "Allow interactions", - "An error occured": "Hups! Virhe on tapahtunut...", - "Are you sure you want to cancel your changes?": "Oletko _ihan_ varma, että haluat peruuttaa muutoksesi?", - "Are you sure you want to clone this map and all its datalayers?": "Oletko varma että haluat kloonata tämän kartan ja kaikki sen data-kerrokset?", - "Are you sure you want to delete the feature?": "Oletko varma että haluat poistaa piirteen?", - "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?": "Oletko ihan täysin varma, että haluat poistaa tämän kartan? Poistettua karttaa ei voi palauttaa.", - "Are you sure you want to delete this property on all the features?": "Oletko varma että haluat poistaa tämän ominaisuuden kaikista piirteistä?", - "Are you sure you want to restore this version?": "Oletko varma että haluat palauttaa tämän version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Automaattinen", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Tuo piirre keskelle", - "Browse data": "Selaa tietoja", - "Cancel edits": "Peruuta muokkaukset", - "Center map on your location": "Keskitä kartta sijaintiisi", - "Change map background": "Vaihda taustakarttaa", - "Change tilelayers": "Muuta karttavaihtoehtoja", - "Choose a preset": "Valitse", - "Choose the format of the data to import": "Valitse tuotavien tietojen formaatti", - "Choose the layer to import in": "Valitse kerros johon tieto tuodaan", - "Click last point to finish shape": "Klikkaa viimeistä pistettä täydentääksesi muodon", - "Click to add a marker": "Klikkaa lisätäksesi karttamerkki", - "Click to continue drawing": "Klikkaa jatkaaksesi piirtämistä", - "Click to edit": "Klikkaa muokataksesi", - "Click to start drawing a line": "Klikkaa aloittaaksesi viivan piirtäminen", - "Click to start drawing a polygon": "Klikkaa aloittaaksesi monikulmion piirtäminen", - "Clone": "Kloonaa", - "Clone of {name}": "{name}n klooni", - "Clone this feature": "Kloonaa tämä piirre", - "Clone this map": "Kloonaa tämä kartta", - "Close": "Sulje", - "Clustering radius": "Klusterointisäde", - "Comma separated list of properties to use when filtering features": "Pilkkueroteltu lista käytettävistä ominaisuuksista piirteitä suodatettaessa.", - "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.": "Pilkku-, tabulaattori- tai puolipiste-erotettuja arvoja. Koordinaattijärjestemänä WGS84. Vain pistegeometriat tuodaan uMapiin. Tietue-tuonti etsii «lat»- ja «lon»-alkavia sarakeotsikoita. Kaikki muut sarakkeet tuodaan ominaisuustietoina.", - "Continue line": "Jatka viivaa", - "Continue line (Ctrl+Click)": "Jatka viivaa (Ctrl+Klikkaus)", - "Coordinates": "Koordinaatit", - "Credits": "Tunnustukset", - "Current view instead of default map view?": "Nykyinen näkymä oletuskarttanäkymän asemesta?", - "Custom background": "Räätälöity tausta", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Oletusasetukset", - "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": "Poista", - "Delete all layers": "Poista kaikki kerrokset", - "Delete layer": "Poista kerros", - "Delete this feature": "Poista tämä piirre", - "Delete this property on all the features": "Poista tämä ominaisuus kaikista piirteistä", - "Delete this shape": "Poista tämä muoto", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Ohjeet täältä", - "Disable editing": "Lopeta kartan muokaaminen", - "Display measure": "Display measure", - "Display on load": "Näytä ladattaessa", "Download": "Download", "Download data": "Lataa tietoja", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Piirrä karttamerkki", "Draw a polygon": "Piirrä monikulmio", "Draw a polyline": "Piirrä monisegmenttinen viiva", + "Drop": "Pisara", "Dynamic": "Dynaaminen", "Dynamic properties": "Dynaamiset ominaisuudet", "Edit": "Muokkaa", @@ -172,23 +139,31 @@ "Embed the map": "Liitä kartta", "Empty": "Tyhjä", "Enable editing": "Aktivoi kartan muokkaus", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Virhe karttalaattojen URL:ssä", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Irroita muoto erilliseksi piirteeksi.", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Suodata...", "Format": "Formaatti", "From zoom": "Zoomaustasolta", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (vain linkki)", + "GeoRSS (title + image)": "GeoRSS (otsikko + kuva)", "Go to «{feature}»": "Mene piirteeseen «{feature}»", + "Heatmap": "Lämpökartta", "Heatmap intensity property": "Lämpökartan vahvuusominaisuus", "Heatmap radius": "Lämpökartan säde", "Help": "Apua", "Hide controls": "Piilota ohjaimet", "Home": "Alku", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kuinka paljon viivaa yleistetäänkullakin zoomaustasolla (enemmän = parempi suorituskyky, vähemmän = suurempi tarkkuus)", + "Icon shape": "Ikonin muoto", + "Icon symbol": "Ikonin symboli", "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-vientiasetukset", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe määrätyn korkuisena (pikseleinä): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Tuo uuteen kerrokseen", "Imports all umap data, including layers and settings.": "Tuo kaikki karttatiedot, mukaan lukien datatasot ja asetukset.", "Include full screen link?": "Sisällytä koko näyttö -linkki?", + "Inherit": "Peri", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Virheellistä uMap-dataa", "Invalid umap data in {filename}": "Virheellistä uMap-dataa {filename}:ssa", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Pidä nyt näkyvät datakerrokset", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Leveysaste", "Layer": "Kerros", "Layer properties": "Datakerroksen ominaisuudet", @@ -225,20 +206,39 @@ "Merge lines": "Yhdistä rivit", "More controls": "Lisää ohjaimia", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Lisenssiä ei ole määritetty", "No results": "Ei tuloksia", + "No results for these filters": "No results for these filters", + "None": "Ei mitään", + "On the bottom": "Alhaalla", + "On the left": "Vasemmalla", + "On the right": "Oikealla", + "On the top": "Ylhäällä", "Only visible features will be downloaded.": "Vain näkyvät piirteet ladataan.", + "Open current feature on load": "Open current feature on load", "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": "Avaa rajauksen mukainen alue editorissa parantaaksesi OpenStreetMapin tietosisältöä.", "Optional intensity property for heatmap": "Valinnainen lämpökartan vahvuusominaisuus", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Valinnainen. Sama kuin väri jos ei asetettu.", "Override clustering radius (default 80)": "Ohita klusterointisäde (oletus on 80)", "Override heatmap radius (default 25)": "Ohita lämpökartan säde (oletus on 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Huomioithan että valitsemasi lisenssi on yhteensopiva käyttösi kanssa.", "Please choose a format": "Valitse formaatti", "Please enter the name of the property": "Kirjoita ominaisuuden nimi", "Please enter the new name of this property": "Kirjoita ominaisuuden uusi nimi", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Ponnahdusikkunan sisällön sapluuna", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Konepellin alla hyrrää Leaflet ja Django; uMap-projektin kasaan liimaamana.", "Problem in the response": "Ongelma vastauksessa", "Problem in the response format": "Ongelma vastauksen muodossa", @@ -262,12 +262,17 @@ "See all": "Näytä kaikki", "See data layers": "See data layers", "See full screen": "Katso koko näytöllä", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Piirteen ominaisuudet", "Short URL": "Lyhyt URL", "Short credits": "Lyhyet tekijätiedot", "Show/hide layer": "Näytä/piilota kerros", + "Side panel": "Sivupaneeli", "Simple link: [[http://example.com]]": "Yksinkertainen linkki: [[http://esimerkki.fi]]", + "Simplify": "Yksinkertaista", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Kuvaesitys", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "Supported scheme": "Tuettu muoto", "Supported variables that will be dynamically replaced": "Tuetut muuttujat, jotka korvataan dynaamisesti", "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS-formaatti", + "Table": "Taulukko", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Zoomaukseen", @@ -310,6 +318,7 @@ "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Näytetään kartan oikeassa alakulmassa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Näytetään kartan kuvatekstinä", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hupsankeikkaa! Joku muu on näemmä muokannut tietoja. Voit tallentaa joka tapauksessa, mutta tallentamisesi poistaa muiden muokkaukset.", "You have unsaved changes.": "Sinulla on tallentamattomia muutoksia.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Kohdenna edelliseen", "Zoom to this feature": "Kohdenna tähän piirteeseen", "Zoom to this place": "Kohdenna tähän paikkaan", + "always": "aina", "attribution": "Viittaukset tausta-aineiston lisenssiin", "by": "taholta", + "clear": "clear", + "collapsed": "collapsed", + "color": "väri", + "dash array": "katkoviivatyyppilista", + "define": "määritä", + "description": "kuvaus", "display name": "näytettävä nimi", + "expanded": "laajennettu", + "fill": "täyttö", + "fill color": "täyteväri", + "fill opacity": "täytön läpinäkyvyys", "height": "korkeus", + "hidden": "piilotettu", + "iframe": "iframe", + "inherit": "peri", "licence": "lisenssi", "max East": "itäraja", "max North": "pohjoisraja", @@ -332,10 +355,21 @@ "max West": "länsiraja", "max zoom": "suurin zoomaustaso", "min zoom": "pienin zoomaustaso", + "name": "nimi", + "never": "ei koskaan", + "new window": "uusi ikkuna", "next": "seuraava", + "no": "ei", + "on hover": "on hover", + "opacity": "läpikuultavuus", + "parent window": "parent window", "previous": "edellinen", + "stroke": "sivallus", + "weight": "paksuus", "width": "leveys", + "yes": "kyllä", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index d86aabd2..d5932c86 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": " (surface: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un dièse pour titre 1", + "## two hashes for second heading": "## deux dièses pour titre 2", + "### three hashes for third heading": "### trois dièses pour titre 3", + "**double star for bold**": "**double astérisque pour gras**", + "*simple star for italic*": "*simple astérisque pour italique*", + "--- for an horizontal rule": "--- pour un séparateur horizontal", + "1 day": "1 jour", + "1 hour": "1 heure", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Liste de nombres séparés par une virgule, définissant les tirets et espaces. Ex.: \"5, 10, 15\".", + "About": "À propos", + "Action not allowed :(": "Action non autorisée :(", + "Activate slideshow mode": "Activer le mode diaporama", + "Add a layer": "Ajouter un calque", + "Add a line to the current multi": "Ajouter une ligne au groupe courant", + "Add a new property": "Ajouter une propriété", + "Add a polygon to the current multi": "Ajouter un polygon au groupe courant", "Add symbol": "Ajouter un symbole", + "Advanced actions": "Actions avancées", + "Advanced filter keys": "Clés de filtre avancé", + "Advanced properties": "Propriétés avancées", + "Advanced transition": "Transition avancée", + "All properties are imported.": "Toutes les propriétés sont importées.", + "Allow interactions": "Autoriser les interactions", "Allow scroll wheel zoom?": "Autoriser le zoom avec la molette ?", + "An error occured": "Une erreur est survenue", + "Are you sure you want to cancel your changes?": "Êtes-vous sûr de vouloir annuler vos modifications ?", + "Are you sure you want to clone this map and all its datalayers?": "Êtes-vous sûr de vouloir cloner cette carte et ses calques de données?", + "Are you sure you want to delete the feature?": "Êtes-vous sûr de vouloir supprimer cet élément?", + "Are you sure you want to delete this layer?": "Voulez-vous vraiment supprimer ce calque ?", + "Are you sure you want to delete this map?": "Êtes-vous sûr de vouloir supprimer cette carte?", + "Are you sure you want to delete this property on all the features?": "Supprimer la propriété sur tous les éléments ?", + "Are you sure you want to restore this version?": "Êtes-vous sûr de vouloir restaurer cette version ?", + "Attach the map to my account": "Lier cette carte à mon compte", + "Auto": "Auto", "Automatic": "Automatique", + "Autostart when map is loaded": "Lancer au chargement de la carte", + "Background overlay url": "Background overlay url", "Ball": "Épingle", + "Bring feature to center": "Centrer la carte sur cet élément", + "Browse data": "Visualiser les données", + "Cache proxied request": "Cacher la requête avec proxy", "Cancel": "Annuler", + "Cancel edits": "Annuler les modifications", "Caption": "Légende", + "Center map on your location": "Centrer la carte sur votre position", + "Change map background": "Changer le fond de carte", "Change symbol": "Changer le pictogramme", + "Change tilelayers": "Changer le fond de carte", + "Choose a preset": "Choisir dans les présélections", "Choose the data format": "Choisir le format des données", + "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer of the feature": "Choisir le calque de l'élément", + "Choose the layer to import in": "Choisir le calque de données pour l'import", "Circle": "Cercle", + "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", + "Click to add a marker": "Cliquer pour ajouter le marqueur", + "Click to continue drawing": "Cliquer pour continuer le tracé", + "Click to edit": "Cliquer pour modifier", + "Click to start drawing a line": "Cliquer pour commencer une ligne", + "Click to start drawing a polygon": "Cliquer pour commencer un polygone", + "Clone": "Cloner", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Dupliquer", + "Clone this map": "Cloner cette carte", + "Close": "Fermer", "Clustered": "Avec cluster", + "Clustering radius": "Rayon du cluster", + "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", + "Comma separated list of properties to use when filtering features": "Propriétés à utiliser pour filtrer les éléments (séparées par des virgules)", + "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.": "Virgule, tabulation ou point-virgule pour séparer des valeurs. SRS WGS84 est implicite. Seuls les points géométriques sont importés. L'importation se référera au titre dans les entêtes de colonnes de «lat» et «lon» au début de l'en-tête, et est insensible à la casse. Toutes les autres colonnes sont importées en tant que propriétés.", + "Continue line": "Continuer la ligne", + "Continue line (Ctrl+Click)": "Continue la ligne (Ctrl+Clic)", + "Coordinates": "Coordonnées", + "Credits": "Crédits", + "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", + "Custom background": "Fond de carte personnalisé", + "Custom overlay": "Custom overlay", "Data browser": "Visualiseur de données", + "Data filters": "Filtrer les données", + "Data is browsable": "Données naviguables", "Default": "Par défaut", + "Default interaction options": "Options d'interaction par défaut", + "Default properties": "Propriétés par défaut", + "Default shape properties": "Propriétés de forme par défaut", "Default zoom level": "Niveau de zoom par défaut", "Default: name": "Par défaut : name", + "Define link to open in a new window on polygon click.": "Définit un lien à ouvrir dans une nouvelle fenêtre au clic sur le polygone.", + "Delay between two transitions when in play mode": "Délai entre les transitions en mode lecture", + "Delete": "Supprimer", + "Delete all layers": "Supprimer tous les calques", + "Delete layer": "Supprimer le calque", + "Delete this feature": "Supprimer cet élément", + "Delete this property on all the features": "Supprimer cette propriété", + "Delete this shape": "Supprimer ce tracé", + "Delete this vertex (Alt+Click)": "Supprimer ce point (Alt+Clic)", + "Directions from here": "Itinéraire à partir de ce lieu", + "Disable editing": "Désactiver l'édition", "Display label": "Afficher une étiquette", + "Display measure": "Afficher les dimensions", + "Display on load": "Afficher au chargement", "Display the control to open OpenStreetMap editor": "Afficher le bouton pour ouvrir l'éditeur d'OpenStreetMap", "Display the data layers control": "Afficher le bouton d'accès rapide aux calques de données", "Display the embed control": "Afficher le bouton de partage", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Voulez-vous afficher une barre de légende", "Do you want to display a minimap?": "Voulez-vous afficher une mini carte de situation ?", "Do you want to display a panel on load?": "Voulez-vous afficher un panneau latéral au chargement ?", + "Do you want to display caption menus?": "Afficher les menus dans la légende ?", "Do you want to display popup footer?": "Voulez-vous afficher les boutons de navigation en bas des popups ?", "Do you want to display the scale control?": "Voulez-vous afficher l'échelle de la carte ?", "Do you want to display the «more» control?": "Voulez-vous afficher le bouton « Plus » ?", - "Drop": "Goutte", - "GeoRSS (only link)": "GeoRSS (lien seul)", - "GeoRSS (title + image)": "GeoRSS (titre + image)", - "Heatmap": "Heatmap", - "Icon shape": "Forme de l'icône", - "Icon symbol": "Image de l'icône", - "Inherit": "Hériter", - "Label direction": "Direction de l'étiquette", - "Label key": "Clé pour le libellé", - "Labels are clickable": "Étiquette cliquable", - "None": "Aucun", - "On the bottom": "Bas", - "On the left": "Gauche", - "On the right": "Droite", - "On the top": "Haut", - "Popup content template": "Gabarit du contenu de la popup", - "Set symbol": "Définir le pictogramme", - "Side panel": "Panneau latéral", - "Simplify": "Simplifier", - "Symbol or url": "Pictogramme ou URL", - "Table": "Tableau", - "always": "toujours", - "clear": "effacer", - "collapsed": "fermé", - "color": "Couleur", - "dash array": "traitillé", - "define": "définir", - "description": "description", - "expanded": "ouvert", - "fill": "remplissage", - "fill color": "couleur de remplissage", - "fill opacity": "opacité du remplissage", - "hidden": "caché", - "iframe": "iframe", - "inherit": "hériter", - "name": "nom", - "never": "jamais", - "new window": "nouvelle fenêtre", - "no": "non", - "on hover": "Au survol", - "opacity": "opacité", - "parent window": "fenêtre parente", - "stroke": "trait", - "weight": "épaisseur", - "yes": "oui", - "{delay} seconds": "{delay} secondes", - "# one hash for main heading": "# un dièse pour titre 1", - "## two hashes for second heading": "## deux dièses pour titre 2", - "### three hashes for third heading": "### trois dièses pour titre 3", - "**double star for bold**": "**double astérisque pour gras**", - "*simple star for italic*": "*simple astérisque pour italique*", - "--- for an horizontal rule": "--- pour un séparateur horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Liste de nombres séparés par une virgule, définissant les tirets et espaces. Ex.: \"5, 10, 15\".", - "About": "À propos", - "Action not allowed :(": "Action non autorisée :(", - "Activate slideshow mode": "Activer le mode diaporama", - "Add a layer": "Ajouter un calque", - "Add a line to the current multi": "Ajouter une ligne au groupe courant", - "Add a new property": "Ajouter une propriété", - "Add a polygon to the current multi": "Ajouter un polygon au groupe courant", - "Advanced actions": "Actions avancées", - "Advanced properties": "Propriétés avancées", - "Advanced transition": "Transition avancée", - "All properties are imported.": "Toutes les propriétés sont importées.", - "Allow interactions": "Autoriser les interactions", - "An error occured": "Une erreur est survenue", - "Are you sure you want to cancel your changes?": "Êtes-vous sûr de vouloir annuler vos modifications ?", - "Are you sure you want to clone this map and all its datalayers?": "Êtes-vous sûr de vouloir cloner cette carte et ses calques de données?", - "Are you sure you want to delete the feature?": "Êtes-vous sûr de vouloir supprimer cet élément?", - "Are you sure you want to delete this layer?": "Voulez-vous vraiment supprimer ce calque ?", - "Are you sure you want to delete this map?": "Êtes-vous sûr de vouloir supprimer cette carte?", - "Are you sure you want to delete this property on all the features?": "Supprimer la propriété sur tous les éléments ?", - "Are you sure you want to restore this version?": "Êtes-vous sûr de vouloir restaurer cette version ?", - "Attach the map to my account": "Lier cette carte à mon compte", - "Auto": "Auto", - "Autostart when map is loaded": "Lancer au chargement de la carte", - "Bring feature to center": "Centrer la carte sur cet élément", - "Browse data": "Visualiser les données", - "Cancel edits": "Annuler les modifications", - "Center map on your location": "Centrer la carte sur votre position", - "Change map background": "Changer le fond de carte", - "Change tilelayers": "Changer le fond de carte", - "Choose a preset": "Choisir dans les présélections", - "Choose the format of the data to import": "Choisir le format des données pour l'import", - "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing": "Cliquer pour continuer le tracé", - "Click to edit": "Cliquer pour modifier", - "Click to start drawing a line": "Cliquer pour commencer une ligne", - "Click to start drawing a polygon": "Cliquer pour commencer un polygone", - "Clone": "Cloner", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Dupliquer", - "Clone this map": "Cloner cette carte", - "Close": "Fermer", - "Clustering radius": "Rayon du cluster", - "Comma separated list of properties to use when filtering features": "Propriétés à utiliser pour filtrer les éléments (séparées par des virgules)", - "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.": "Virgule, tabulation ou point-virgule pour séparer des valeurs. SRS WGS84 est implicite. Seuls les points géométriques sont importés. L'importation se référera au titre dans les entêtes de colonnes de «lat» et «lon» au début de l'en-tête, et est insensible à la casse. Toutes les autres colonnes sont importées en tant que propriétés.", - "Continue line": "Continuer la ligne", - "Continue line (Ctrl+Click)": "Continue la ligne (Ctrl+Clic)", - "Coordinates": "Coordonnées", - "Credits": "Crédits", - "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", - "Custom background": "Fond de carte personnalisé", - "Data is browsable": "Données naviguables", - "Default interaction options": "Options d'interaction par défaut", - "Default properties": "Propriétés par défaut", - "Default shape properties": "Propriétés de forme par défaut", - "Define link to open in a new window on polygon click.": "Définit un lien à ouvrir dans une nouvelle fenêtre au clic sur le polygone.", - "Delay between two transitions when in play mode": "Délai entre les transitions en mode lecture", - "Delete": "Supprimer", - "Delete all layers": "Supprimer tous les calques", - "Delete layer": "Supprimer le calque", - "Delete this feature": "Supprimer cet élément", - "Delete this property on all the features": "Supprimer cette propriété", - "Delete this shape": "Supprimer ce tracé", - "Delete this vertex (Alt+Click)": "Supprimer ce point (Alt+Clic)", - "Directions from here": "Itinéraire à partir de ce lieu", - "Disable editing": "Désactiver l'édition", - "Display measure": "Afficher les dimensions", - "Display on load": "Afficher au chargement", "Download": "Télécharger", "Download data": "Télécharger les données", "Drag to reorder": "Glisser pour réordonner", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Ajouter un marqueur", "Draw a polygon": "Dessiner un polygone", "Draw a polyline": "Dessiner une ligne", + "Drop": "Goutte", "Dynamic": "Dynamique", "Dynamic properties": "Propriétés dynamiques", "Edit": "Éditer", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Intégrer la carte dans une iframe", "Empty": "Vider", "Enable editing": "Activer l'édition", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erreur dans l'URL du fond de carte", "Error while fetching {url}": "Erreur en appelant l'URL {url}", + "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", "Exit Fullscreen": "Quitter le plein écran", "Extract shape to separate feature": "Extraire la forme", + "Feature identifier key": "Clé unique d'un élément", "Fetch data each time map view changes.": "Récupère les données à chaque fois que la vue de la carte change.", "Filter keys": "Clés de filtre", "Filter…": "Filtrer…", "Format": "Format", "From zoom": "À partir du zoom", "Full map data": "Données complètes de la carte", + "GeoRSS (only link)": "GeoRSS (lien seul)", + "GeoRSS (title + image)": "GeoRSS (titre + image)", "Go to «{feature}»": "Naviguer jusqu'à «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Propriété pour l'intensité de la heatmap", "Heatmap radius": "Rayon de heatmap", "Help": "Aide", "Hide controls": "Masquer les outils", "Home": "Accueil", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Valeur de simplification des lignes pour chaque niveau de zoom (grand nombre = meilleure performance, petit nombre = plus précis)", + "Icon shape": "Forme de l'icône", + "Icon symbol": "Image de l'icône", "If false, the polygon will act as a part of the underlying map.": "Choisir « non » pour que le polygone se comporte comme faisant partie du fond de carte.", "Iframe export options": "Options d'export de l'iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe avec hauteur (en pixels): {{{http://iframe.url.com|hauteur}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importer dans un nouveau calque", "Imports all umap data, including layers and settings.": "Importer toutes les données de la carte, y compris les calques et les propriétés", "Include full screen link?": "Inclure le lien \"plein écran\" ?", + "Inherit": "Hériter", "Interaction options": "Options d'interaction", + "Invalid latitude or longitude": "Latitude ou longitude invalide", "Invalid umap data": "Données uMap invalides", "Invalid umap data in {filename}": "Les données du fichier {filename} ne sont pas valides comme format uMap", + "Invalide property name: {name}": "Nom de propriété invalide: {name}", "Keep current visible layers": "Garder les calques visibles actuellement", + "Label direction": "Direction de l'étiquette", + "Label key": "Clé pour le libellé", + "Labels are clickable": "Étiquette cliquable", "Latitude": "Latitude", "Layer": "Calque", "Layer properties": "Propriétés du claque", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Fusionner les lignes", "More controls": "Plus d'outils", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Doit être une valeur CSS valide (ex. : DarkBlue ou #123456)", + "No cache": "Pas de cache", "No licence has been set": "Aucune licence définie", "No results": "Aucun résultat", + "No results for these filters": "Aucun résultat avec ces filtres", + "None": "Aucun", + "On the bottom": "Bas", + "On the left": "Gauche", + "On the right": "Droite", + "On the top": "Haut", "Only visible features will be downloaded.": "Seuls les éléments visibles seront téléchargés.", + "Open current feature on load": "Ouvrir l'élément courant au chargement", "Open download panel": "Ouvrir la fenêtre de téléchargement", "Open link in…": "Ouvrir le lien dans…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ouvrir cette carte dans un éditeur OpenStreetMap pour améliorer les données", "Optional intensity property for heatmap": "Propriété optionnelle à utiliser pour calculer l'intensité de la heatmap", + "Optional.": "Facultatif", "Optional. Same as color if not set.": "Optionnel. La couleur principale sera utilisée si laissé vide.", "Override clustering radius (default 80)": "Valeur de rayon personnalisée pour le cluster (par défaut : 80)", "Override heatmap radius (default 25)": "Valeur de rayon personnalisée pour la heatmap (par défaut : 80)", + "Paste your data here": "Collez vos données ici", + "Permalink": "Permalien", + "Permanent credits": "Crédits permanents", + "Permanent credits background": "Afficher un fond pour le crédit permanent", "Please be sure the licence is compliant with your use.": "Pensez à vérifier que la licence de ces données vous autorise à les utiliser.", "Please choose a format": "Merci de choisir un format", "Please enter the name of the property": "Merci d'entrer le nom de la propriété", "Please enter the new name of this property": "Veuillez entrer le nouveau nom de la propriété", + "Please save the map first": "Vous devez d'abord enregistrer la carte", + "Popup": "Popup", + "Popup (large)": "Popup (grande)", + "Popup content style": "Gabarit du contenu de la popup", + "Popup content template": "Gabarit du contenu de la popup", + "Popup shape": "Forme de popup", "Powered by Leaflet and Django, glued by uMap project.": "Propulsé par Leaflet et Django, mis en musique par uMap project.", "Problem in the response": "Problème dans la réponse du serveur", "Problem in the response format": "Problème dans le format de la réponse", @@ -262,12 +262,17 @@ var locale = { "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", + "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", + "Set symbol": "Définir le pictogramme", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", "Short credits": "Crédit court", "Show/hide layer": "Montrer/masquer un calque", + "Side panel": "Panneau latéral", "Simple link: [[http://example.com]]": "Lien simple : [[https://exemple.fr]]", + "Simplify": "Simplifier", + "Skipping unknown geometry.type: {type}": "Type de géométrie inconnu ignoré: {type}", "Slideshow": "Diaporama", "Smart transitions": "Transitions animées", "Sort key": "Clé de tri", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Schéma supporté", "Supported variables that will be dynamically replaced": "Variables qui seront automatiquement remplacées", "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.": "Utilisez soit un caractère unique soit une URL. Vous pouvez utiliser des propriétés des marqueurs comme variables : par exemple avec \"http://myserver.org/images/{name}.png\", la variable {name} sera remplacée par la valeur du \"name\" de chacun des marqueurs.", + "Symbol or url": "Pictogramme ou URL", "TMS format": "format de type TMS", + "Table": "Tableau", "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 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", "The zoom and center have been set.": "Le niveau de 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", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Qui peut modifier", "Who can view": "Qui peut voir", "Will be displayed in the bottom right corner of the map": "S'affiche dans le coin en bas à droite de la carte", + "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte", "Will be visible in the caption of the map": "Sera visible dans la légende de la carte", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Aïe ! Quelqu'un d'autre semble avoir modifié la carte. Vous pouvez continuer l'enregistrement, mais ses données seront perdues.", "You have unsaved changes.": "Vous avez des changements non sauvegardés.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Précédent", "Zoom to this feature": "Zoomer sur cet élément", "Zoom to this place": "Zoomer vers ce lieu", + "always": "toujours", "attribution": "attribution", "by": "par", + "clear": "effacer", + "collapsed": "fermé", + "color": "Couleur", + "dash array": "traitillé", + "define": "définir", + "description": "description", "display name": "nom", + "expanded": "ouvert", + "fill": "remplissage", + "fill color": "couleur de remplissage", + "fill opacity": "opacité du remplissage", "height": "hauteur", + "hidden": "caché", + "iframe": "iframe", + "inherit": "hériter", "licence": "licence", "max East": "limite est", "max North": "limite nord", @@ -332,10 +355,21 @@ var locale = { "max West": "limite ouest", "max zoom": "zoom max", "min zoom": "zoom min", + "name": "nom", + "never": "jamais", + "new window": "nouvelle fenêtre", "next": "suivant", + "no": "non", + "on hover": "Au survol", + "opacity": "opacité", + "parent window": "fenêtre parente", "previous": "précédent", + "stroke": "trait", + "weight": "épaisseur", "width": "largeur", + "yes": "oui", "{count} errors during import: {message}": "{count} erreurs pendant l'import: {message}", + "{delay} seconds": "{delay} secondes", "Measure distances": "Mesurer les distances", "NM": "NM", "kilometers": "kilomètres", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "miles", "nautical miles": "miles nautiques", - "{area} acres": "{area} hectares", - "{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 jour", - "1 hour": "1 heure", - "5 min": "5 min", - "Cache proxied request": "Cacher la requête avec proxy", - "No cache": "Pas de cache", - "Popup": "Popup", - "Popup (large)": "Popup (grande)", - "Popup content style": "Gabarit du contenu de la popup", - "Popup shape": "Forme de popup", - "Skipping unknown geometry.type: {type}": "Type de géométrie inconnu ignoré: {type}", - "Optional.": "Facultatif", - "Paste your data here": "Collez vos données ici", - "Please save the map first": "Vous devez d'abord enregistrer la carte", - "Feature identifier key": "Clé unique d'un élément", - "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", - "Advanced filter keys": "Clés de filtre avancé", - "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", - "Data filters": "Filtrer les données", - "Do you want to display caption menus?": "Afficher les menus dans la légende ?", - "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", - "Invalid latitude or longitude": "Latitude ou longitude invalide", - "Invalide property name: {name}": "Nom de propriété invalide: {name}", - "No results for these filters": "Aucun résultat avec ces filtres", - "Permanent credits": "Crédits permanents", - "Permanent credits background": "Afficher un fond pour le crédit permanent", - "Select data": "Sélectionner les données", - "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte" + "{area} acres": "{area} hectares", + "{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" }; L.registerLocale("fr", locale); L.setLocale("fr"); \ No newline at end of file diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index c089c57c..c8d0c52f 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -1,20 +1,107 @@ { + " (area: {measure})": " (surface: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un dièse pour titre 1", + "## two hashes for second heading": "## deux dièses pour titre 2", + "### three hashes for third heading": "### trois dièses pour titre 3", + "**double star for bold**": "**double astérisque pour gras**", + "*simple star for italic*": "*simple astérisque pour italique*", + "--- for an horizontal rule": "--- pour un séparateur horizontal", + "1 day": "1 jour", + "1 hour": "1 heure", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Liste de nombres séparés par une virgule, définissant les tirets et espaces. Ex.: \"5, 10, 15\".", + "About": "À propos", + "Action not allowed :(": "Action non autorisée :(", + "Activate slideshow mode": "Activer le mode diaporama", + "Add a layer": "Ajouter un calque", + "Add a line to the current multi": "Ajouter une ligne au groupe courant", + "Add a new property": "Ajouter une propriété", + "Add a polygon to the current multi": "Ajouter un polygon au groupe courant", "Add symbol": "Ajouter un symbole", + "Advanced actions": "Actions avancées", + "Advanced filter keys": "Clés de filtre avancé", + "Advanced properties": "Propriétés avancées", + "Advanced transition": "Transition avancée", + "All properties are imported.": "Toutes les propriétés sont importées.", + "Allow interactions": "Autoriser les interactions", "Allow scroll wheel zoom?": "Autoriser le zoom avec la molette ?", + "An error occured": "Une erreur est survenue", + "Are you sure you want to cancel your changes?": "Êtes-vous sûr de vouloir annuler vos modifications ?", + "Are you sure you want to clone this map and all its datalayers?": "Êtes-vous sûr de vouloir cloner cette carte et ses calques de données?", + "Are you sure you want to delete the feature?": "Êtes-vous sûr de vouloir supprimer cet élément?", + "Are you sure you want to delete this layer?": "Voulez-vous vraiment supprimer ce calque ?", + "Are you sure you want to delete this map?": "Êtes-vous sûr de vouloir supprimer cette carte?", + "Are you sure you want to delete this property on all the features?": "Supprimer la propriété sur tous les éléments ?", + "Are you sure you want to restore this version?": "Êtes-vous sûr de vouloir restaurer cette version ?", + "Attach the map to my account": "Lier cette carte à mon compte", + "Auto": "Auto", "Automatic": "Automatique", + "Autostart when map is loaded": "Lancer au chargement de la carte", + "Background overlay url": "Background overlay url", "Ball": "Épingle", + "Bring feature to center": "Centrer la carte sur cet élément", + "Browse data": "Visualiser les données", + "Cache proxied request": "Cacher la requête avec proxy", "Cancel": "Annuler", + "Cancel edits": "Annuler les modifications", "Caption": "Légende", + "Center map on your location": "Centrer la carte sur votre position", + "Change map background": "Changer le fond de carte", "Change symbol": "Changer le pictogramme", + "Change tilelayers": "Changer le fond de carte", + "Choose a preset": "Choisir dans les présélections", "Choose the data format": "Choisir le format des données", + "Choose the format of the data to import": "Choisir le format des données pour l'import", "Choose the layer of the feature": "Choisir le calque de l'élément", + "Choose the layer to import in": "Choisir le calque de données pour l'import", "Circle": "Cercle", + "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", + "Click to add a marker": "Cliquer pour ajouter le marqueur", + "Click to continue drawing": "Cliquer pour continuer le tracé", + "Click to edit": "Cliquer pour modifier", + "Click to start drawing a line": "Cliquer pour commencer une ligne", + "Click to start drawing a polygon": "Cliquer pour commencer un polygone", + "Clone": "Cloner", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Dupliquer", + "Clone this map": "Cloner cette carte", + "Close": "Fermer", "Clustered": "Avec cluster", + "Clustering radius": "Rayon du cluster", + "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", + "Comma separated list of properties to use when filtering features": "Propriétés à utiliser pour filtrer les éléments (séparées par des virgules)", + "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.": "Virgule, tabulation ou point-virgule pour séparer des valeurs. SRS WGS84 est implicite. Seuls les points géométriques sont importés. L'importation se référera au titre dans les entêtes de colonnes de «lat» et «lon» au début de l'en-tête, et est insensible à la casse. Toutes les autres colonnes sont importées en tant que propriétés.", + "Continue line": "Continuer la ligne", + "Continue line (Ctrl+Click)": "Continue la ligne (Ctrl+Clic)", + "Coordinates": "Coordonnées", + "Credits": "Crédits", + "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", + "Custom background": "Fond de carte personnalisé", + "Custom overlay": "Custom overlay", "Data browser": "Visualiseur de données", + "Data filters": "Filtrer les données", + "Data is browsable": "Données naviguables", "Default": "Par défaut", + "Default interaction options": "Options d'interaction par défaut", + "Default properties": "Propriétés par défaut", + "Default shape properties": "Propriétés de forme par défaut", "Default zoom level": "Niveau de zoom par défaut", "Default: name": "Par défaut : name", + "Define link to open in a new window on polygon click.": "Définit un lien à ouvrir dans une nouvelle fenêtre au clic sur le polygone.", + "Delay between two transitions when in play mode": "Délai entre les transitions en mode lecture", + "Delete": "Supprimer", + "Delete all layers": "Supprimer tous les calques", + "Delete layer": "Supprimer le calque", + "Delete this feature": "Supprimer cet élément", + "Delete this property on all the features": "Supprimer cette propriété", + "Delete this shape": "Supprimer ce tracé", + "Delete this vertex (Alt+Click)": "Supprimer ce point (Alt+Clic)", + "Directions from here": "Itinéraire à partir de ce lieu", + "Disable editing": "Désactiver l'édition", "Display label": "Afficher une étiquette", + "Display measure": "Afficher les dimensions", + "Display on load": "Afficher au chargement", "Display the control to open OpenStreetMap editor": "Afficher le bouton pour ouvrir l'éditeur d'OpenStreetMap", "Display the data layers control": "Afficher le bouton d'accès rapide aux calques de données", "Display the embed control": "Afficher le bouton de partage", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Voulez-vous afficher une barre de légende", "Do you want to display a minimap?": "Voulez-vous afficher une mini carte de situation ?", "Do you want to display a panel on load?": "Voulez-vous afficher un panneau latéral au chargement ?", + "Do you want to display caption menus?": "Afficher les menus dans la légende ?", "Do you want to display popup footer?": "Voulez-vous afficher les boutons de navigation en bas des popups ?", "Do you want to display the scale control?": "Voulez-vous afficher l'échelle de la carte ?", "Do you want to display the «more» control?": "Voulez-vous afficher le bouton « Plus » ?", - "Drop": "Goutte", - "GeoRSS (only link)": "GeoRSS (lien seul)", - "GeoRSS (title + image)": "GeoRSS (titre + image)", - "Heatmap": "Heatmap", - "Icon shape": "Forme de l'icône", - "Icon symbol": "Image de l'icône", - "Inherit": "Hériter", - "Label direction": "Direction de l'étiquette", - "Label key": "Clé pour le libellé", - "Labels are clickable": "Étiquette cliquable", - "None": "Aucun", - "On the bottom": "Bas", - "On the left": "Gauche", - "On the right": "Droite", - "On the top": "Haut", - "Popup content template": "Gabarit du contenu de la popup", - "Set symbol": "Définir le pictogramme", - "Side panel": "Panneau latéral", - "Simplify": "Simplifier", - "Symbol or url": "Pictogramme ou URL", - "Table": "Tableau", - "always": "toujours", - "clear": "effacer", - "collapsed": "fermé", - "color": "Couleur", - "dash array": "traitillé", - "define": "définir", - "description": "description", - "expanded": "ouvert", - "fill": "remplissage", - "fill color": "couleur de remplissage", - "fill opacity": "opacité du remplissage", - "hidden": "caché", - "iframe": "iframe", - "inherit": "hériter", - "name": "nom", - "never": "jamais", - "new window": "nouvelle fenêtre", - "no": "non", - "on hover": "Au survol", - "opacity": "opacité", - "parent window": "fenêtre parente", - "stroke": "trait", - "weight": "épaisseur", - "yes": "oui", - "{delay} seconds": "{delay} secondes", - "# one hash for main heading": "# un dièse pour titre 1", - "## two hashes for second heading": "## deux dièses pour titre 2", - "### three hashes for third heading": "### trois dièses pour titre 3", - "**double star for bold**": "**double astérisque pour gras**", - "*simple star for italic*": "*simple astérisque pour italique*", - "--- for an horizontal rule": "--- pour un séparateur horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Liste de nombres séparés par une virgule, définissant les tirets et espaces. Ex.: \"5, 10, 15\".", - "About": "À propos", - "Action not allowed :(": "Action non autorisée :(", - "Activate slideshow mode": "Activer le mode diaporama", - "Add a layer": "Ajouter un calque", - "Add a line to the current multi": "Ajouter une ligne au groupe courant", - "Add a new property": "Ajouter une propriété", - "Add a polygon to the current multi": "Ajouter un polygon au groupe courant", - "Advanced actions": "Actions avancées", - "Advanced properties": "Propriétés avancées", - "Advanced transition": "Transition avancée", - "All properties are imported.": "Toutes les propriétés sont importées.", - "Allow interactions": "Autoriser les interactions", - "An error occured": "Une erreur est survenue", - "Are you sure you want to cancel your changes?": "Êtes-vous sûr de vouloir annuler vos modifications ?", - "Are you sure you want to clone this map and all its datalayers?": "Êtes-vous sûr de vouloir cloner cette carte et ses calques de données?", - "Are you sure you want to delete the feature?": "Êtes-vous sûr de vouloir supprimer cet élément?", - "Are you sure you want to delete this layer?": "Voulez-vous vraiment supprimer ce calque ?", - "Are you sure you want to delete this map?": "Êtes-vous sûr de vouloir supprimer cette carte?", - "Are you sure you want to delete this property on all the features?": "Supprimer la propriété sur tous les éléments ?", - "Are you sure you want to restore this version?": "Êtes-vous sûr de vouloir restaurer cette version ?", - "Attach the map to my account": "Lier cette carte à mon compte", - "Auto": "Auto", - "Autostart when map is loaded": "Lancer au chargement de la carte", - "Bring feature to center": "Centrer la carte sur cet élément", - "Browse data": "Visualiser les données", - "Cancel edits": "Annuler les modifications", - "Center map on your location": "Centrer la carte sur votre position", - "Change map background": "Changer le fond de carte", - "Change tilelayers": "Changer le fond de carte", - "Choose a preset": "Choisir dans les présélections", - "Choose the format of the data to import": "Choisir le format des données pour l'import", - "Choose the layer to import in": "Choisir le calque de données pour l'import", - "Click last point to finish shape": "Cliquer sur le dernier point pour finir le tracé", - "Click to add a marker": "Cliquer pour ajouter le marqueur", - "Click to continue drawing": "Cliquer pour continuer le tracé", - "Click to edit": "Cliquer pour modifier", - "Click to start drawing a line": "Cliquer pour commencer une ligne", - "Click to start drawing a polygon": "Cliquer pour commencer un polygone", - "Clone": "Cloner", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Dupliquer", - "Clone this map": "Cloner cette carte", - "Close": "Fermer", - "Clustering radius": "Rayon du cluster", - "Comma separated list of properties to use when filtering features": "Propriétés à utiliser pour filtrer les éléments (séparées par des virgules)", - "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.": "Virgule, tabulation ou point-virgule pour séparer des valeurs. SRS WGS84 est implicite. Seuls les points géométriques sont importés. L'importation se référera au titre dans les entêtes de colonnes de «lat» et «lon» au début de l'en-tête, et est insensible à la casse. Toutes les autres colonnes sont importées en tant que propriétés.", - "Continue line": "Continuer la ligne", - "Continue line (Ctrl+Click)": "Continue la ligne (Ctrl+Clic)", - "Coordinates": "Coordonnées", - "Credits": "Crédits", - "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", - "Custom background": "Fond de carte personnalisé", - "Data is browsable": "Données naviguables", - "Default interaction options": "Options d'interaction par défaut", - "Default properties": "Propriétés par défaut", - "Default shape properties": "Propriétés de forme par défaut", - "Define link to open in a new window on polygon click.": "Définit un lien à ouvrir dans une nouvelle fenêtre au clic sur le polygone.", - "Delay between two transitions when in play mode": "Délai entre les transitions en mode lecture", - "Delete": "Supprimer", - "Delete all layers": "Supprimer tous les calques", - "Delete layer": "Supprimer le calque", - "Delete this feature": "Supprimer cet élément", - "Delete this property on all the features": "Supprimer cette propriété", - "Delete this shape": "Supprimer ce tracé", - "Delete this vertex (Alt+Click)": "Supprimer ce point (Alt+Clic)", - "Directions from here": "Itinéraire à partir de ce lieu", - "Disable editing": "Désactiver l'édition", - "Display measure": "Afficher les dimensions", - "Display on load": "Afficher au chargement", "Download": "Télécharger", "Download data": "Télécharger les données", "Drag to reorder": "Glisser pour réordonner", @@ -159,6 +125,7 @@ "Draw a marker": "Ajouter un marqueur", "Draw a polygon": "Dessiner un polygone", "Draw a polyline": "Dessiner une ligne", + "Drop": "Goutte", "Dynamic": "Dynamique", "Dynamic properties": "Propriétés dynamiques", "Edit": "Éditer", @@ -172,23 +139,31 @@ "Embed the map": "Intégrer la carte dans une iframe", "Empty": "Vider", "Enable editing": "Activer l'édition", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erreur dans l'URL du fond de carte", "Error while fetching {url}": "Erreur en appelant l'URL {url}", + "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", "Exit Fullscreen": "Quitter le plein écran", "Extract shape to separate feature": "Extraire la forme", + "Feature identifier key": "Clé unique d'un élément", "Fetch data each time map view changes.": "Récupère les données à chaque fois que la vue de la carte change.", "Filter keys": "Clés de filtre", "Filter…": "Filtrer…", "Format": "Format", "From zoom": "À partir du zoom", "Full map data": "Données complètes de la carte", + "GeoRSS (only link)": "GeoRSS (lien seul)", + "GeoRSS (title + image)": "GeoRSS (titre + image)", "Go to «{feature}»": "Naviguer jusqu'à «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Propriété pour l'intensité de la heatmap", "Heatmap radius": "Rayon de heatmap", "Help": "Aide", "Hide controls": "Masquer les outils", "Home": "Accueil", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Valeur de simplification des lignes pour chaque niveau de zoom (grand nombre = meilleure performance, petit nombre = plus précis)", + "Icon shape": "Forme de l'icône", + "Icon symbol": "Image de l'icône", "If false, the polygon will act as a part of the underlying map.": "Choisir « non » pour que le polygone se comporte comme faisant partie du fond de carte.", "Iframe export options": "Options d'export de l'iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe avec hauteur (en pixels): {{{http://iframe.url.com|hauteur}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importer dans un nouveau calque", "Imports all umap data, including layers and settings.": "Importer toutes les données de la carte, y compris les calques et les propriétés", "Include full screen link?": "Inclure le lien \"plein écran\" ?", + "Inherit": "Hériter", "Interaction options": "Options d'interaction", + "Invalid latitude or longitude": "Latitude ou longitude invalide", "Invalid umap data": "Données uMap invalides", "Invalid umap data in {filename}": "Les données du fichier {filename} ne sont pas valides comme format uMap", + "Invalide property name: {name}": "Nom de propriété invalide: {name}", "Keep current visible layers": "Garder les calques visibles actuellement", + "Label direction": "Direction de l'étiquette", + "Label key": "Clé pour le libellé", + "Labels are clickable": "Étiquette cliquable", "Latitude": "Latitude", "Layer": "Calque", "Layer properties": "Propriétés du claque", @@ -225,20 +206,39 @@ "Merge lines": "Fusionner les lignes", "More controls": "Plus d'outils", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Doit être une valeur CSS valide (ex. : DarkBlue ou #123456)", + "No cache": "Pas de cache", "No licence has been set": "Aucune licence définie", "No results": "Aucun résultat", + "No results for these filters": "Aucun résultat avec ces filtres", + "None": "Aucun", + "On the bottom": "Bas", + "On the left": "Gauche", + "On the right": "Droite", + "On the top": "Haut", "Only visible features will be downloaded.": "Seuls les éléments visibles seront téléchargés.", + "Open current feature on load": "Ouvrir l'élément courant au chargement", "Open download panel": "Ouvrir la fenêtre de téléchargement", "Open link in…": "Ouvrir le lien dans…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ouvrir cette carte dans un éditeur OpenStreetMap pour améliorer les données", "Optional intensity property for heatmap": "Propriété optionnelle à utiliser pour calculer l'intensité de la heatmap", + "Optional.": "Facultatif", "Optional. Same as color if not set.": "Optionnel. La couleur principale sera utilisée si laissé vide.", "Override clustering radius (default 80)": "Valeur de rayon personnalisée pour le cluster (par défaut : 80)", "Override heatmap radius (default 25)": "Valeur de rayon personnalisée pour la heatmap (par défaut : 80)", + "Paste your data here": "Collez vos données ici", + "Permalink": "Permalien", + "Permanent credits": "Crédits permanents", + "Permanent credits background": "Afficher un fond pour le crédit permanent", "Please be sure the licence is compliant with your use.": "Pensez à vérifier que la licence de ces données vous autorise à les utiliser.", "Please choose a format": "Merci de choisir un format", "Please enter the name of the property": "Merci d'entrer le nom de la propriété", "Please enter the new name of this property": "Veuillez entrer le nouveau nom de la propriété", + "Please save the map first": "Vous devez d'abord enregistrer la carte", + "Popup": "Popup", + "Popup (large)": "Popup (grande)", + "Popup content style": "Gabarit du contenu de la popup", + "Popup content template": "Gabarit du contenu de la popup", + "Popup shape": "Forme de popup", "Powered by Leaflet and Django, glued by uMap project.": "Propulsé par Leaflet et Django, mis en musique par uMap project.", "Problem in the response": "Problème dans la réponse du serveur", "Problem in the response format": "Problème dans le format de la réponse", @@ -262,12 +262,17 @@ "See all": "Tout voir", "See data layers": "Voir les calques", "See full screen": "Voir en plein écran", + "Select data": "Sélectionner les données", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Désactiver pour masquer ce calque du diaporama, du navigateur de données…", + "Set symbol": "Définir le pictogramme", "Shape properties": "Propriétés de la forme", "Short URL": "URL courte", "Short credits": "Crédit court", "Show/hide layer": "Montrer/masquer un calque", + "Side panel": "Panneau latéral", "Simple link: [[http://example.com]]": "Lien simple : [[https://exemple.fr]]", + "Simplify": "Simplifier", + "Skipping unknown geometry.type: {type}": "Type de géométrie inconnu ignoré: {type}", "Slideshow": "Diaporama", "Smart transitions": "Transitions animées", "Sort key": "Clé de tri", @@ -280,10 +285,13 @@ "Supported scheme": "Schéma supporté", "Supported variables that will be dynamically replaced": "Variables qui seront automatiquement remplacées", "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.": "Utilisez soit un caractère unique soit une URL. Vous pouvez utiliser des propriétés des marqueurs comme variables : par exemple avec \"http://myserver.org/images/{name}.png\", la variable {name} sera remplacée par la valeur du \"name\" de chacun des marqueurs.", + "Symbol or url": "Pictogramme ou URL", "TMS format": "format de type TMS", + "Table": "Tableau", "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 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", "The zoom and center have been set.": "Le niveau de 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", @@ -310,6 +318,7 @@ "Who can edit": "Qui peut modifier", "Who can view": "Qui peut voir", "Will be displayed in the bottom right corner of the map": "S'affiche dans le coin en bas à droite de la carte", + "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte", "Will be visible in the caption of the map": "Sera visible dans la légende de la carte", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Aïe ! Quelqu'un d'autre semble avoir modifié la carte. Vous pouvez continuer l'enregistrement, mais ses données seront perdues.", "You have unsaved changes.": "Vous avez des changements non sauvegardés.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Précédent", "Zoom to this feature": "Zoomer sur cet élément", "Zoom to this place": "Zoomer vers ce lieu", + "always": "toujours", "attribution": "attribution", "by": "par", + "clear": "effacer", + "collapsed": "fermé", + "color": "Couleur", + "dash array": "traitillé", + "define": "définir", + "description": "description", "display name": "nom", + "expanded": "ouvert", + "fill": "remplissage", + "fill color": "couleur de remplissage", + "fill opacity": "opacité du remplissage", "height": "hauteur", + "hidden": "caché", + "iframe": "iframe", + "inherit": "hériter", "licence": "licence", "max East": "limite est", "max North": "limite nord", @@ -332,10 +355,21 @@ "max West": "limite ouest", "max zoom": "zoom max", "min zoom": "zoom min", + "name": "nom", + "never": "jamais", + "new window": "nouvelle fenêtre", "next": "suivant", + "no": "non", + "on hover": "Au survol", + "opacity": "opacité", + "parent window": "fenêtre parente", "previous": "précédent", + "stroke": "trait", + "weight": "épaisseur", "width": "largeur", + "yes": "oui", "{count} errors during import: {message}": "{count} erreurs pendant l'import: {message}", + "{delay} seconds": "{delay} secondes", "Measure distances": "Mesurer les distances", "NM": "NM", "kilometers": "kilomètres", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "miles", "nautical miles": "miles nautiques", - "{area} acres": "{area} hectares", - "{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 jour", - "1 hour": "1 heure", - "5 min": "5 min", - "Cache proxied request": "Cacher la requête avec proxy", - "No cache": "Pas de cache", - "Popup": "Popup", - "Popup (large)": "Popup (grande)", - "Popup content style": "Gabarit du contenu de la popup", - "Popup shape": "Forme de popup", - "Skipping unknown geometry.type: {type}": "Type de géométrie inconnu ignoré: {type}", - "Optional.": "Facultatif", - "Paste your data here": "Collez vos données ici", - "Please save the map first": "Vous devez d'abord enregistrer la carte", - "Feature identifier key": "Clé unique d'un élément", - "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", - "Advanced filter keys": "Clés de filtre avancé", - "Comma separated list of properties to use for checkbox filtering": "Liste de propriétés à utiliser pour les filtres par catégories (séparées par des virgules)", - "Data filters": "Filtrer les données", - "Do you want to display caption menus?": "Afficher les menus dans la légende ?", - "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", - "Invalid latitude or longitude": "Latitude ou longitude invalide", - "Invalide property name: {name}": "Nom de propriété invalide: {name}", - "No results for these filters": "Aucun résultat avec ces filtres", - "Permanent credits": "Crédits permanents", - "Permanent credits background": "Afficher un fond pour le crédit permanent", - "Select data": "Sélectionner les données", - "Will be permanently visible in the bottom left corner of the map": "Afficher en permanence au coin en bas à gauche de la carte" + "{area} acres": "{area} hectares", + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index b3ce447d..4c96a790 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un cancelo para a cabeceira principal", + "## two hashes for second heading": "## dous cancelos para a cabeceira secundaria", + "### three hashes for third heading": "### tres cancelos para a cabeceira terciaria", + "**double star for bold**": "**dous asteriscos para pór negriña**", + "*simple star for italic*": "*un asterisco para pór cursiva*", + "--- for an horizontal rule": "--- para pór unha liña horizontal", + "1 day": "1 día", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Unha listaxe separada por vírgulas que define o patrón de trazos de guión. Ex.: \"5, 10, 15\".", + "About": "Acerca de", + "Action not allowed :(": "Acción non permitida :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Engadir unha capa", + "Add a line to the current multi": "Engadir unha liña para o multi actual", + "Add a new property": "Engadir unha nova propiedade", + "Add a polygon to the current multi": "Enhadir un polígono para o multi actual", "Add symbol": "Engade unha icona", + "Advanced actions": "Accións avanzadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propiedades avanzadas", + "Advanced transition": "Transición avanzada", + "All properties are imported.": "Tódalas propiedades son importadas.", + "Allow interactions": "Permitir interaccións", "Allow scroll wheel zoom?": "Permitir o achegamento ca roda do rato?", + "An error occured": "Ocorreu un erro", + "Are you sure you want to cancel your changes?": "Estás na certeza de que desexas desbotar as túas mudanzas?", + "Are you sure you want to clone this map and all its datalayers?": "Estás na certeza de que desexas clonar este mapa e tódalas súas capas de datos?", + "Are you sure you want to delete the feature?": "Estás na certeza de que desexas eliminar este elemento?", + "Are you sure you want to delete this layer?": "Estás na certeza de que desexas eliminar esta capa?", + "Are you sure you want to delete this map?": "Estás na certeza de que desexas eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Estás na certeza de que desexas eliminar esta propiedade en tódolos elementos?", + "Are you sure you want to restore this version?": "Estás na certeza de que desexas restabelecer esta versión?", + "Attach the map to my account": "Adxuntar o mapa á miña conta", + "Auto": "Automático", "Automatic": "Automático", + "Autostart when map is loaded": "Autocomezar cando o mapa estea cargado", + "Background overlay url": "Background overlay url", "Ball": "Bóla", + "Bring feature to center": "Levar o elemento ó centro", + "Browse data": "Navegar polos datos", + "Cache proxied request": "Solicitude de proxy da caché", "Cancel": "Desbotar", + "Cancel edits": "Desbotar as edicións", "Caption": "Subtítulo", + "Center map on your location": "Centrar o mapa na túa ubicación", + "Change map background": "Mudar o mapa do fondo", "Change symbol": "Mudar a icona", + "Change tilelayers": "Mudar as capas de teselas", + "Choose a preset": "Escoller un predefinido", "Choose the data format": "Escoller o formato de datos", + "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer of the feature": "Escoller a capa do elemento", + "Choose the layer to import in": "Escoller a capa á que se importa", "Circle": "Círculo", + "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", + "Click to add a marker": "Preme para engadir unha marcaxe", + "Click to continue drawing": "Preme para seguir debuxando", + "Click to edit": "Preme para editar", + "Click to start drawing a line": "Preme para comezar a debuxar unha liña", + "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", + "Clone": "Clonar", + "Clone of {name}": "Clonado de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Pechar", "Clustered": "Agrupados", + "Clustering radius": "Raio de agrupamento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Listaxe de propiedades separado por comas para empregar a filtraxe 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.": "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": "Liña continua", + "Continue line (Ctrl+Click)": "Liña continua (Ctrl+Clic)", + "Coordinates": "Coordenadas", + "Credits": "Cretos", + "Current view instead of default map view?": "Vista actual en troques da vista predeterminada?", + "Custom background": "Fondo persoalizado", + "Custom overlay": "Custom overlay", "Data browser": "Procurador de datos", + "Data filters": "Data filters", + "Data is browsable": "Os datos son navegábeis", "Default": "Por defecto", + "Default interaction options": "Opcións de interacción predeterminados", + "Default properties": "Propiedades predeterminadas", + "Default shape properties": "Propiedades de formas predeterminados", "Default zoom level": "Nivel do achegamento predeterminado", "Default: name": "Por defecto: nome", + "Define link to open in a new window on polygon click.": "Defina unha ligazón para abrir nunha nova xanela ó premer no polígono.", + "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Delete": "Eliminar", + "Delete all layers": "Eliminar tódalas capas", + "Delete layer": "Eliminar capa", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propiedade en tódolos elementos", + "Delete this shape": "Eliminar esta forma", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", + "Directions from here": "Direccións dende aquí", + "Disable editing": "Desabilitar a edición", "Display label": "Amosar etiqueta", + "Display measure": "Amosar medida", + "Display on load": "Amosar ó cargar", "Display the control to open OpenStreetMap editor": "Amosar o control para abrir o editor do OpenStreetMap", "Display the data layers control": "Amosar o control da capa de datos", "Display the embed control": "Amosar o control de incrustado", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Desexas amosar a barra de subtítulos?", "Do you want to display a minimap?": "Desexas amosar un minimapa?", "Do you want to display a panel on load?": "Desexas amosar un panel ó cargar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Desexas amosar a xanela emerxente no pé de páxina?", "Do you want to display the scale control?": "Desexas amosar o control de escala?", "Do you want to display the «more» control?": "Desexas amosar o control «máis»?", - "Drop": "Marcaxe", - "GeoRSS (only link)": "GeoRSS (só ligazón)", - "GeoRSS (title + image)": "GeoRSS (título + imaxe)", - "Heatmap": "Mapa de calor", - "Icon shape": "Forma da icona", - "Icon symbol": "Símbolo da icona", - "Inherit": "Herdar", - "Label direction": "Dirección da etiqueta", - "Label key": "Etiqueta da clave", - "Labels are clickable": "Labels are clickable", - "None": "Ningún", - "On the bottom": "Na parte de embaixo", - "On the left": "Á esquerda", - "On the right": "Á dereita", - "On the top": "Na parte de enriba", - "Popup content template": "Padrón do contido da xanela emerxente", - "Set symbol": "Estabelecer icona", - "Side panel": "Lapela lateral", - "Simplify": "Simplificar", - "Symbol or url": "Icona ou URL", - "Table": "Táboa", - "always": "sempre", - "clear": "limpar", - "collapsed": "agochado", - "color": "cor", - "dash array": "matriz de guións", - "define": "define", - "description": "descrición", - "expanded": "expandido", - "fill": "rechear", - "fill color": "cor de recheo", - "fill opacity": "rechear a opacidade", - "hidden": "agochar", - "iframe": "iframe", - "inherit": "herdar", - "name": "nome", - "never": "nunca", - "new window": "nova xanela", - "no": "non", - "on hover": "ó pasar o rato por riba", - "opacity": "opacidade", - "parent window": "xanela pai ou principal", - "stroke": "trazo", - "weight": "peso", - "yes": "si", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# un cancelo para a cabeceira principal", - "## two hashes for second heading": "## dous cancelos para a cabeceira secundaria", - "### three hashes for third heading": "### tres cancelos para a cabeceira terciaria", - "**double star for bold**": "**dous asteriscos para pór negriña**", - "*simple star for italic*": "*un asterisco para pór cursiva*", - "--- for an horizontal rule": "--- para pór unha liña horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Unha listaxe separada por vírgulas que define o patrón de trazos de guión. Ex.: \"5, 10, 15\".", - "About": "Acerca de", - "Action not allowed :(": "Acción non permitida :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Engadir unha capa", - "Add a line to the current multi": "Engadir unha liña para o multi actual", - "Add a new property": "Engadir unha nova propiedade", - "Add a polygon to the current multi": "Enhadir un polígono para o multi actual", - "Advanced actions": "Accións avanzadas", - "Advanced properties": "Propiedades avanzadas", - "Advanced transition": "Transición avanzada", - "All properties are imported.": "Tódalas propiedades son importadas.", - "Allow interactions": "Permitir interaccións", - "An error occured": "Ocorreu un erro", - "Are you sure you want to cancel your changes?": "Estás na certeza de que desexas desbotar as túas mudanzas?", - "Are you sure you want to clone this map and all its datalayers?": "Estás na certeza de que desexas clonar este mapa e tódalas súas capas de datos?", - "Are you sure you want to delete the feature?": "Estás na certeza de que desexas eliminar este elemento?", - "Are you sure you want to delete this layer?": "Estás na certeza de que desexas eliminar esta capa?", - "Are you sure you want to delete this map?": "Estás na certeza de que desexas eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Estás na certeza de que desexas eliminar esta propiedade en tódolos elementos?", - "Are you sure you want to restore this version?": "Estás na certeza de que desexas restabelecer esta versión?", - "Attach the map to my account": "Adxuntar o mapa á miña conta", - "Auto": "Automático", - "Autostart when map is loaded": "Autocomezar cando o mapa estea cargado", - "Bring feature to center": "Levar o elemento ó centro", - "Browse data": "Navegar polos datos", - "Cancel edits": "Desbotar as edicións", - "Center map on your location": "Centrar o mapa na túa ubicación", - "Change map background": "Mudar o mapa do fondo", - "Change tilelayers": "Mudar as capas de teselas", - "Choose a preset": "Escoller un predefinido", - "Choose the format of the data to import": "Escoller o formato dos datos a importar", - "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing": "Preme para seguir debuxando", - "Click to edit": "Preme para editar", - "Click to start drawing a line": "Preme para comezar a debuxar unha liña", - "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", - "Clone": "Clonar", - "Clone of {name}": "Clonado de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Pechar", - "Clustering radius": "Raio de agrupamento", - "Comma separated list of properties to use when filtering features": "Listaxe de propiedades separado por comas para empregar a filtraxe 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.": "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": "Liña continua", - "Continue line (Ctrl+Click)": "Liña continua (Ctrl+Clic)", - "Coordinates": "Coordenadas", - "Credits": "Cretos", - "Current view instead of default map view?": "Vista actual en troques da vista predeterminada?", - "Custom background": "Fondo persoalizado", - "Data is browsable": "Os datos son navegábeis", - "Default interaction options": "Opcións de interacción predeterminados", - "Default properties": "Propiedades predeterminadas", - "Default shape properties": "Propiedades de formas predeterminados", - "Define link to open in a new window on polygon click.": "Defina unha ligazón para abrir nunha nova xanela ó premer no polígono.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Eliminar", - "Delete all layers": "Eliminar tódalas capas", - "Delete layer": "Eliminar capa", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propiedade en tódolos elementos", - "Delete this shape": "Eliminar esta forma", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", - "Directions from here": "Direccións dende aquí", - "Disable editing": "Desabilitar a edición", - "Display measure": "Amosar medida", - "Display on load": "Amosar ó cargar", "Download": "Baixar", "Download data": "Baixar datos", "Drag to reorder": "Arrastrar para reordenar", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Debuxa unha marcaxe", "Draw a polygon": "Debuxa un polígono", "Draw a polyline": "Debuxa unha liña múltiple", + "Drop": "Marcaxe", "Dynamic": "Dinámico", "Dynamic properties": "Propiedades dinámicas", "Edit": "Editar", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Incorporar o mapa", "Empty": "Baleirar", "Enable editing": "Activar a edición", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro na URL da capa de teselas", "Error while fetching {url}": "Erro ó recuperar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Saír da pantalla completa", "Extract shape to separate feature": "Extraer a forma ó elemento separado", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Obter os datos cada vez que a vista do mapa muda.", "Filter keys": "Claves de filtrado", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Dende o achegamento", "Full map data": "Mapa completo de datos", + "GeoRSS (only link)": "GeoRSS (só ligazón)", + "GeoRSS (title + image)": "GeoRSS (título + imaxe)", "Go to «{feature}»": "Ir cara «{feature}»", + "Heatmap": "Mapa de calor", "Heatmap intensity property": "Propiedade intensidade do mapa de calor", "Heatmap radius": "Raio do mapa de calor", "Help": "Axuda", "Hide controls": "Agochar os controis", "Home": "Inicio", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Canto se simplificará a polilínea en cada nivel de achegamento (máis = mellor comportamento e aparencia máis feble, menos = máis preciso)", + "Icon shape": "Forma da icona", + "Icon symbol": "Símbolo da icona", "If false, the polygon will act as a part of the underlying map.": "Se é falso, o polígono actuará coma un anaco do mapa subxacente.", "Iframe export options": "Opcións de exportación do 'iframe'", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altura persoalizada (en píxeles): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importar nunha nova capa", "Imports all umap data, including layers and settings.": "Importar tódolos datos do umap, incluíndo capas e axustes.", "Include full screen link?": "Engadir a ligazón de pantalla completa?", + "Inherit": "Herdar", "Interaction options": "Opcións de interacción", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dato umap non válido", "Invalid umap data in {filename}": "Dato umap non válido en {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Gardar capas visíbeis actuais", + "Label direction": "Dirección da etiqueta", + "Label key": "Etiqueta da clave", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Capa", "Layer properties": "Propiedades da capa", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Combinar liñas", "More controls": "Máis controis", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Ten que ser un valor CSS válido (por ex.: DarkBlue ou #123456)", + "No cache": "Sen caché", "No licence has been set": "Ningunha licenza foi estabelecida", "No results": "Sen resultados", + "No results for these filters": "No results for these filters", + "None": "Ningún", + "On the bottom": "Na parte de embaixo", + "On the left": "Á esquerda", + "On the right": "Á dereita", + "On the top": "Na parte de enriba", "Only visible features will be downloaded.": "Só os elementos visíbeis baixaranse.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir a lapela de descarga", "Open link in…": "Abrir ligazón en...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abre a extensión deste mapa nun editor de mapas para fornecer datos máis precisos ó OpenStreetMap", "Optional intensity property for heatmap": "Propiedade de intensidade opcional para o mapa de calor", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. A mesma cor se non se estabelece.", "Override clustering radius (default 80)": "Sobrescribir o raio de agrupamento (predeterminado 80)", "Override heatmap radius (default 25)": "Sobreescribir o raio do mapa de calor (predeterminado 25)", + "Paste your data here": "Pega os teus datos aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Coide de que a licenza sexa compatíbel co emprego que lle vai a dár.", "Please choose a format": "Escolle un formato", "Please enter the name of the property": "Insira o nome da propiedade", "Please enter the new name of this property": "Insira o novo nome desta propiedade", + "Please save the map first": "Por favor garda o mapa primeiro", + "Popup": "Xanela emerxente", + "Popup (large)": "Xanela emerxente (grande)", + "Popup content style": "Estilo do contido da xanela emerxente", + "Popup content template": "Padrón do contido da xanela emerxente", + "Popup shape": "Forma da xanela emerxente", "Powered by Leaflet and Django, glued by uMap project.": "Fornecido polo Leaflet e o Django, colado polo proxecto uMap.", "Problem in the response": "Problema na resposta", "Problem in the response format": "Problema co formato de resposta", @@ -262,12 +262,17 @@ var locale = { "See all": "Ollar todo", "See data layers": "Ollar capas de datos", "See full screen": "Ollar pantalla completa", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Axústeo a falso para agochar esta capa da presentación ('slideshow'), o navegador de datos, a navegación da xanela emerxente...", + "Set symbol": "Estabelecer icona", "Shape properties": "Propiedades da forma", "Short URL": "URL curta", "Short credits": "Cretos curtos", "Show/hide layer": "Amosar/agochar capa", + "Side panel": "Lapela lateral", "Simple link: [[http://example.com]]": "Ligazón sinxela: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Brincando tipo descoñecido geometry.type: {type}", "Slideshow": "Presentación", "Smart transitions": "Transicións intelixentes", "Sort key": "Orde da clave", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variábeis suportadas que serán substituídas de xeito dinámico", "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.": "O símbolo pode ser un carácter 'unicode' ou unha URL. Pode empregar as propiedades do elemento coma variábeis: ex.: \"http://myserver.org/images/{name}.png\", a variábel {name} será substituída polo valor \"name\" de cada marcaxe.", + "Symbol or url": "Icona ou URL", "TMS format": "formato TMS", + "Table": "Táboa", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para empregar se o servidor remoto non permite dominios cruzados (máis amodo)", "To zoom": "Para o achegamento", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Quen pode editar", "Who can view": "Quen pode ollar", "Will be displayed in the bottom right corner of the map": "Amosarase na esquina inferior esquerda do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visíbel no subtítulo do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Vaites! Alguén semella que editou os datos. Podes gardar de todos xeitos, pero isto vai eliminar as mudanzas feitas por outros.", "You have unsaved changes.": "Ten mudanzas non gardadas.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Achegar ó anterior", "Zoom to this feature": "Achegar a este elemento", "Zoom to this place": "Achegar a este lugar", + "always": "sempre", "attribution": "atribución", "by": "por", + "clear": "limpar", + "collapsed": "agochado", + "color": "cor", + "dash array": "matriz de guións", + "define": "define", + "description": "descrición", "display name": "amosar o nome", + "expanded": "expandido", + "fill": "rechear", + "fill color": "cor de recheo", + "fill opacity": "rechear a opacidade", "height": "altura", + "hidden": "agochar", + "iframe": "iframe", + "inherit": "herdar", "licence": "licenza", "max East": "máximo Leste", "max North": "máximo Norte", @@ -332,10 +355,21 @@ var locale = { "max West": "máximo Oeste", "max zoom": "achegamento máximo", "min zoom": "achegamento mínimo", + "name": "nome", + "never": "nunca", + "new window": "nova xanela", "next": "seguinte", + "no": "non", + "on hover": "ó pasar o rato por riba", + "opacity": "opacidade", + "parent window": "xanela pai ou principal", "previous": "anterior", + "stroke": "trazo", + "weight": "peso", "width": "ancho", + "yes": "si", "{count} errors during import: {message}": "{count} erros durante a importación: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distancias", "NM": "NM", "kilometers": "quilómetros", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "millas", "nautical miles": "millas náuticas", - "{area} acres": "{area} acres", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mi²", - "{area} yd²": "{area} id²", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} millas", - "{distance} yd": "{distance} id", - "1 day": "1 día", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Solicitude de proxy da caché", - "No cache": "Sen caché", - "Popup": "Xanela emerxente", - "Popup (large)": "Xanela emerxente (grande)", - "Popup content style": "Estilo do contido da xanela emerxente", - "Popup shape": "Forma da xanela emerxente", - "Skipping unknown geometry.type: {type}": "Brincando tipo descoñecido geometry.type: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Pega os teus datos aquí", - "Please save the map first": "Por favor garda o mapa primeiro", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acres", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mi²", + "{area} yd²": "{area} id²", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} millas", + "{distance} yd": "{distance} id" }; L.registerLocale("gl", locale); L.setLocale("gl"); \ No newline at end of file diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 73053718..2d0f6077 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un cancelo para a cabeceira principal", + "## two hashes for second heading": "## dous cancelos para a cabeceira secundaria", + "### three hashes for third heading": "### tres cancelos para a cabeceira terciaria", + "**double star for bold**": "**dous asteriscos para pór negriña**", + "*simple star for italic*": "*un asterisco para pór cursiva*", + "--- for an horizontal rule": "--- para pór unha liña horizontal", + "1 day": "1 día", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Unha listaxe separada por vírgulas que define o patrón de trazos de guión. Ex.: \"5, 10, 15\".", + "About": "Acerca de", + "Action not allowed :(": "Acción non permitida :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Engadir unha capa", + "Add a line to the current multi": "Engadir unha liña para o multi actual", + "Add a new property": "Engadir unha nova propiedade", + "Add a polygon to the current multi": "Enhadir un polígono para o multi actual", "Add symbol": "Engade unha icona", + "Advanced actions": "Accións avanzadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propiedades avanzadas", + "Advanced transition": "Transición avanzada", + "All properties are imported.": "Tódalas propiedades son importadas.", + "Allow interactions": "Permitir interaccións", "Allow scroll wheel zoom?": "Permitir o achegamento ca roda do rato?", + "An error occured": "Ocorreu un erro", + "Are you sure you want to cancel your changes?": "Estás na certeza de que desexas desbotar as túas mudanzas?", + "Are you sure you want to clone this map and all its datalayers?": "Estás na certeza de que desexas clonar este mapa e tódalas súas capas de datos?", + "Are you sure you want to delete the feature?": "Estás na certeza de que desexas eliminar este elemento?", + "Are you sure you want to delete this layer?": "Estás na certeza de que desexas eliminar esta capa?", + "Are you sure you want to delete this map?": "Estás na certeza de que desexas eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Estás na certeza de que desexas eliminar esta propiedade en tódolos elementos?", + "Are you sure you want to restore this version?": "Estás na certeza de que desexas restabelecer esta versión?", + "Attach the map to my account": "Adxuntar o mapa á miña conta", + "Auto": "Automático", "Automatic": "Automático", + "Autostart when map is loaded": "Autocomezar cando o mapa estea cargado", + "Background overlay url": "Background overlay url", "Ball": "Bóla", + "Bring feature to center": "Levar o elemento ó centro", + "Browse data": "Navegar polos datos", + "Cache proxied request": "Solicitude de proxy da caché", "Cancel": "Desbotar", + "Cancel edits": "Desbotar as edicións", "Caption": "Subtítulo", + "Center map on your location": "Centrar o mapa na túa ubicación", + "Change map background": "Mudar o mapa do fondo", "Change symbol": "Mudar a icona", + "Change tilelayers": "Mudar as capas de teselas", + "Choose a preset": "Escoller un predefinido", "Choose the data format": "Escoller o formato de datos", + "Choose the format of the data to import": "Escoller o formato dos datos a importar", "Choose the layer of the feature": "Escoller a capa do elemento", + "Choose the layer to import in": "Escoller a capa á que se importa", "Circle": "Círculo", + "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", + "Click to add a marker": "Preme para engadir unha marcaxe", + "Click to continue drawing": "Preme para seguir debuxando", + "Click to edit": "Preme para editar", + "Click to start drawing a line": "Preme para comezar a debuxar unha liña", + "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", + "Clone": "Clonar", + "Clone of {name}": "Clonado de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Pechar", "Clustered": "Agrupados", + "Clustering radius": "Raio de agrupamento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Listaxe de propiedades separado por comas para empregar a filtraxe 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.": "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": "Liña continua", + "Continue line (Ctrl+Click)": "Liña continua (Ctrl+Clic)", + "Coordinates": "Coordenadas", + "Credits": "Cretos", + "Current view instead of default map view?": "Vista actual en troques da vista predeterminada?", + "Custom background": "Fondo persoalizado", + "Custom overlay": "Custom overlay", "Data browser": "Procurador de datos", + "Data filters": "Data filters", + "Data is browsable": "Os datos son navegábeis", "Default": "Por defecto", + "Default interaction options": "Opcións de interacción predeterminados", + "Default properties": "Propiedades predeterminadas", + "Default shape properties": "Propiedades de formas predeterminados", "Default zoom level": "Nivel do achegamento predeterminado", "Default: name": "Por defecto: nome", + "Define link to open in a new window on polygon click.": "Defina unha ligazón para abrir nunha nova xanela ó premer no polígono.", + "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Delete": "Eliminar", + "Delete all layers": "Eliminar tódalas capas", + "Delete layer": "Eliminar capa", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propiedade en tódolos elementos", + "Delete this shape": "Eliminar esta forma", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", + "Directions from here": "Direccións dende aquí", + "Disable editing": "Desabilitar a edición", "Display label": "Amosar etiqueta", + "Display measure": "Amosar medida", + "Display on load": "Amosar ó cargar", "Display the control to open OpenStreetMap editor": "Amosar o control para abrir o editor do OpenStreetMap", "Display the data layers control": "Amosar o control da capa de datos", "Display the embed control": "Amosar o control de incrustado", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Desexas amosar a barra de subtítulos?", "Do you want to display a minimap?": "Desexas amosar un minimapa?", "Do you want to display a panel on load?": "Desexas amosar un panel ó cargar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Desexas amosar a xanela emerxente no pé de páxina?", "Do you want to display the scale control?": "Desexas amosar o control de escala?", "Do you want to display the «more» control?": "Desexas amosar o control «máis»?", - "Drop": "Marcaxe", - "GeoRSS (only link)": "GeoRSS (só ligazón)", - "GeoRSS (title + image)": "GeoRSS (título + imaxe)", - "Heatmap": "Mapa de calor", - "Icon shape": "Forma da icona", - "Icon symbol": "Símbolo da icona", - "Inherit": "Herdar", - "Label direction": "Dirección da etiqueta", - "Label key": "Etiqueta da clave", - "Labels are clickable": "Labels are clickable", - "None": "Ningún", - "On the bottom": "Na parte de embaixo", - "On the left": "Á esquerda", - "On the right": "Á dereita", - "On the top": "Na parte de enriba", - "Popup content template": "Padrón do contido da xanela emerxente", - "Set symbol": "Estabelecer icona", - "Side panel": "Lapela lateral", - "Simplify": "Simplificar", - "Symbol or url": "Icona ou URL", - "Table": "Táboa", - "always": "sempre", - "clear": "limpar", - "collapsed": "agochado", - "color": "cor", - "dash array": "matriz de guións", - "define": "define", - "description": "descrición", - "expanded": "expandido", - "fill": "rechear", - "fill color": "cor de recheo", - "fill opacity": "rechear a opacidade", - "hidden": "agochar", - "iframe": "iframe", - "inherit": "herdar", - "name": "nome", - "never": "nunca", - "new window": "nova xanela", - "no": "non", - "on hover": "ó pasar o rato por riba", - "opacity": "opacidade", - "parent window": "xanela pai ou principal", - "stroke": "trazo", - "weight": "peso", - "yes": "si", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# un cancelo para a cabeceira principal", - "## two hashes for second heading": "## dous cancelos para a cabeceira secundaria", - "### three hashes for third heading": "### tres cancelos para a cabeceira terciaria", - "**double star for bold**": "**dous asteriscos para pór negriña**", - "*simple star for italic*": "*un asterisco para pór cursiva*", - "--- for an horizontal rule": "--- para pór unha liña horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Unha listaxe separada por vírgulas que define o patrón de trazos de guión. Ex.: \"5, 10, 15\".", - "About": "Acerca de", - "Action not allowed :(": "Acción non permitida :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Engadir unha capa", - "Add a line to the current multi": "Engadir unha liña para o multi actual", - "Add a new property": "Engadir unha nova propiedade", - "Add a polygon to the current multi": "Enhadir un polígono para o multi actual", - "Advanced actions": "Accións avanzadas", - "Advanced properties": "Propiedades avanzadas", - "Advanced transition": "Transición avanzada", - "All properties are imported.": "Tódalas propiedades son importadas.", - "Allow interactions": "Permitir interaccións", - "An error occured": "Ocorreu un erro", - "Are you sure you want to cancel your changes?": "Estás na certeza de que desexas desbotar as túas mudanzas?", - "Are you sure you want to clone this map and all its datalayers?": "Estás na certeza de que desexas clonar este mapa e tódalas súas capas de datos?", - "Are you sure you want to delete the feature?": "Estás na certeza de que desexas eliminar este elemento?", - "Are you sure you want to delete this layer?": "Estás na certeza de que desexas eliminar esta capa?", - "Are you sure you want to delete this map?": "Estás na certeza de que desexas eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Estás na certeza de que desexas eliminar esta propiedade en tódolos elementos?", - "Are you sure you want to restore this version?": "Estás na certeza de que desexas restabelecer esta versión?", - "Attach the map to my account": "Adxuntar o mapa á miña conta", - "Auto": "Automático", - "Autostart when map is loaded": "Autocomezar cando o mapa estea cargado", - "Bring feature to center": "Levar o elemento ó centro", - "Browse data": "Navegar polos datos", - "Cancel edits": "Desbotar as edicións", - "Center map on your location": "Centrar o mapa na túa ubicación", - "Change map background": "Mudar o mapa do fondo", - "Change tilelayers": "Mudar as capas de teselas", - "Choose a preset": "Escoller un predefinido", - "Choose the format of the data to import": "Escoller o formato dos datos a importar", - "Choose the layer to import in": "Escoller a capa á que se importa", - "Click last point to finish shape": "Preme no derradeiro punto para rematar a forma", - "Click to add a marker": "Preme para engadir unha marcaxe", - "Click to continue drawing": "Preme para seguir debuxando", - "Click to edit": "Preme para editar", - "Click to start drawing a line": "Preme para comezar a debuxar unha liña", - "Click to start drawing a polygon": "Preme para comezar a debuxar un polígono", - "Clone": "Clonar", - "Clone of {name}": "Clonado de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Pechar", - "Clustering radius": "Raio de agrupamento", - "Comma separated list of properties to use when filtering features": "Listaxe de propiedades separado por comas para empregar a filtraxe 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.": "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": "Liña continua", - "Continue line (Ctrl+Click)": "Liña continua (Ctrl+Clic)", - "Coordinates": "Coordenadas", - "Credits": "Cretos", - "Current view instead of default map view?": "Vista actual en troques da vista predeterminada?", - "Custom background": "Fondo persoalizado", - "Data is browsable": "Os datos son navegábeis", - "Default interaction options": "Opcións de interacción predeterminados", - "Default properties": "Propiedades predeterminadas", - "Default shape properties": "Propiedades de formas predeterminados", - "Define link to open in a new window on polygon click.": "Defina unha ligazón para abrir nunha nova xanela ó premer no polígono.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Eliminar", - "Delete all layers": "Eliminar tódalas capas", - "Delete layer": "Eliminar capa", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propiedade en tódolos elementos", - "Delete this shape": "Eliminar esta forma", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", - "Directions from here": "Direccións dende aquí", - "Disable editing": "Desabilitar a edición", - "Display measure": "Amosar medida", - "Display on load": "Amosar ó cargar", "Download": "Baixar", "Download data": "Baixar datos", "Drag to reorder": "Arrastrar para reordenar", @@ -159,6 +125,7 @@ "Draw a marker": "Debuxa unha marcaxe", "Draw a polygon": "Debuxa un polígono", "Draw a polyline": "Debuxa unha liña múltiple", + "Drop": "Marcaxe", "Dynamic": "Dinámico", "Dynamic properties": "Propiedades dinámicas", "Edit": "Editar", @@ -172,23 +139,31 @@ "Embed the map": "Incorporar o mapa", "Empty": "Baleirar", "Enable editing": "Activar a edición", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro na URL da capa de teselas", "Error while fetching {url}": "Erro ó recuperar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Saír da pantalla completa", "Extract shape to separate feature": "Extraer a forma ó elemento separado", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Obter os datos cada vez que a vista do mapa muda.", "Filter keys": "Claves de filtrado", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Dende o achegamento", "Full map data": "Mapa completo de datos", + "GeoRSS (only link)": "GeoRSS (só ligazón)", + "GeoRSS (title + image)": "GeoRSS (título + imaxe)", "Go to «{feature}»": "Ir cara «{feature}»", + "Heatmap": "Mapa de calor", "Heatmap intensity property": "Propiedade intensidade do mapa de calor", "Heatmap radius": "Raio do mapa de calor", "Help": "Axuda", "Hide controls": "Agochar os controis", "Home": "Inicio", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Canto se simplificará a polilínea en cada nivel de achegamento (máis = mellor comportamento e aparencia máis feble, menos = máis preciso)", + "Icon shape": "Forma da icona", + "Icon symbol": "Símbolo da icona", "If false, the polygon will act as a part of the underlying map.": "Se é falso, o polígono actuará coma un anaco do mapa subxacente.", "Iframe export options": "Opcións de exportación do 'iframe'", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altura persoalizada (en píxeles): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importar nunha nova capa", "Imports all umap data, including layers and settings.": "Importar tódolos datos do umap, incluíndo capas e axustes.", "Include full screen link?": "Engadir a ligazón de pantalla completa?", + "Inherit": "Herdar", "Interaction options": "Opcións de interacción", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dato umap non válido", "Invalid umap data in {filename}": "Dato umap non válido en {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Gardar capas visíbeis actuais", + "Label direction": "Dirección da etiqueta", + "Label key": "Etiqueta da clave", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Capa", "Layer properties": "Propiedades da capa", @@ -225,20 +206,39 @@ "Merge lines": "Combinar liñas", "More controls": "Máis controis", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Ten que ser un valor CSS válido (por ex.: DarkBlue ou #123456)", + "No cache": "Sen caché", "No licence has been set": "Ningunha licenza foi estabelecida", "No results": "Sen resultados", + "No results for these filters": "No results for these filters", + "None": "Ningún", + "On the bottom": "Na parte de embaixo", + "On the left": "Á esquerda", + "On the right": "Á dereita", + "On the top": "Na parte de enriba", "Only visible features will be downloaded.": "Só os elementos visíbeis baixaranse.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir a lapela de descarga", "Open link in…": "Abrir ligazón en...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abre a extensión deste mapa nun editor de mapas para fornecer datos máis precisos ó OpenStreetMap", "Optional intensity property for heatmap": "Propiedade de intensidade opcional para o mapa de calor", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. A mesma cor se non se estabelece.", "Override clustering radius (default 80)": "Sobrescribir o raio de agrupamento (predeterminado 80)", "Override heatmap radius (default 25)": "Sobreescribir o raio do mapa de calor (predeterminado 25)", + "Paste your data here": "Pega os teus datos aquí", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Coide de que a licenza sexa compatíbel co emprego que lle vai a dár.", "Please choose a format": "Escolle un formato", "Please enter the name of the property": "Insira o nome da propiedade", "Please enter the new name of this property": "Insira o novo nome desta propiedade", + "Please save the map first": "Por favor garda o mapa primeiro", + "Popup": "Xanela emerxente", + "Popup (large)": "Xanela emerxente (grande)", + "Popup content style": "Estilo do contido da xanela emerxente", + "Popup content template": "Padrón do contido da xanela emerxente", + "Popup shape": "Forma da xanela emerxente", "Powered by Leaflet and Django, glued by uMap project.": "Fornecido polo Leaflet e o Django, colado polo proxecto uMap.", "Problem in the response": "Problema na resposta", "Problem in the response format": "Problema co formato de resposta", @@ -262,12 +262,17 @@ "See all": "Ollar todo", "See data layers": "Ollar capas de datos", "See full screen": "Ollar pantalla completa", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Axústeo a falso para agochar esta capa da presentación ('slideshow'), o navegador de datos, a navegación da xanela emerxente...", + "Set symbol": "Estabelecer icona", "Shape properties": "Propiedades da forma", "Short URL": "URL curta", "Short credits": "Cretos curtos", "Show/hide layer": "Amosar/agochar capa", + "Side panel": "Lapela lateral", "Simple link: [[http://example.com]]": "Ligazón sinxela: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Brincando tipo descoñecido geometry.type: {type}", "Slideshow": "Presentación", "Smart transitions": "Transicións intelixentes", "Sort key": "Orde da clave", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variábeis suportadas que serán substituídas de xeito dinámico", "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.": "O símbolo pode ser un carácter 'unicode' ou unha URL. Pode empregar as propiedades do elemento coma variábeis: ex.: \"http://myserver.org/images/{name}.png\", a variábel {name} será substituída polo valor \"name\" de cada marcaxe.", + "Symbol or url": "Icona ou URL", "TMS format": "formato TMS", + "Table": "Táboa", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para empregar se o servidor remoto non permite dominios cruzados (máis amodo)", "To zoom": "Para o achegamento", @@ -310,6 +318,7 @@ "Who can edit": "Quen pode editar", "Who can view": "Quen pode ollar", "Will be displayed in the bottom right corner of the map": "Amosarase na esquina inferior esquerda do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visíbel no subtítulo do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Vaites! Alguén semella que editou os datos. Podes gardar de todos xeitos, pero isto vai eliminar as mudanzas feitas por outros.", "You have unsaved changes.": "Ten mudanzas non gardadas.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Achegar ó anterior", "Zoom to this feature": "Achegar a este elemento", "Zoom to this place": "Achegar a este lugar", + "always": "sempre", "attribution": "atribución", "by": "por", + "clear": "limpar", + "collapsed": "agochado", + "color": "cor", + "dash array": "matriz de guións", + "define": "define", + "description": "descrición", "display name": "amosar o nome", + "expanded": "expandido", + "fill": "rechear", + "fill color": "cor de recheo", + "fill opacity": "rechear a opacidade", "height": "altura", + "hidden": "agochar", + "iframe": "iframe", + "inherit": "herdar", "licence": "licenza", "max East": "máximo Leste", "max North": "máximo Norte", @@ -332,10 +355,21 @@ "max West": "máximo Oeste", "max zoom": "achegamento máximo", "min zoom": "achegamento mínimo", + "name": "nome", + "never": "nunca", + "new window": "nova xanela", "next": "seguinte", + "no": "non", + "on hover": "ó pasar o rato por riba", + "opacity": "opacidade", + "parent window": "xanela pai ou principal", "previous": "anterior", + "stroke": "trazo", + "weight": "peso", "width": "ancho", + "yes": "si", "{count} errors during import: {message}": "{count} erros durante a importación: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distancias", "NM": "NM", "kilometers": "quilómetros", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "millas", "nautical miles": "millas náuticas", - "{area} acres": "{area} acres", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mi²", - "{area} yd²": "{area} id²", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} millas", - "{distance} yd": "{distance} id", - "1 day": "1 día", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Solicitude de proxy da caché", - "No cache": "Sen caché", - "Popup": "Xanela emerxente", - "Popup (large)": "Xanela emerxente (grande)", - "Popup content style": "Estilo do contido da xanela emerxente", - "Popup shape": "Forma da xanela emerxente", - "Skipping unknown geometry.type: {type}": "Brincando tipo descoñecido geometry.type: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Pega os teus datos aquí", - "Please save the map first": "Por favor garda o mapa primeiro", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acres", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mi²", + "{area} yd²": "{area} id²", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} millas", + "{distance} yd": "{distance} id" } \ No newline at end of file diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 36d68080..c679c7dc 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- לקו חוצה", + "1 day": "יום", + "1 hour": "שעה", + "5 min": "5 דקות", + "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": "הפעלת מצב מצגת", + "Add a layer": "הוספת שכבה", + "Add a line to the current multi": "הוספת קו לרב המצולעים הנוכחי", + "Add a new property": "הוספת מאפיין חדש", + "Add a polygon to the current multi": "הוספת מצולע לרב המצולעים הנוכחי", "Add symbol": "הוספת סימן", + "Advanced actions": "פעולות מתקדמות", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "מאפיינים מתקדמים", + "Advanced transition": "התמרה מתקדמת", + "All properties are imported.": "כל המאפיינים ייובאו.", + "Allow interactions": "לאפשר אינטראקציות", "Allow scroll wheel zoom?": "לאפשר תקריב עם גלגלת העכבר?", + "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": "אוטומטית", "Automatic": "אוטומטי", + "Autostart when map is loaded": "להתחיל אוטומטית עם טעינת המפה", + "Background overlay url": "Background overlay url", "Ball": "כדור", + "Bring feature to center": "הבאת התכונה למרכז", + "Browse data": "עיון בנתונים", + "Cache proxied request": "שמירת בקשות שעברו דרך המתווך במטמון", "Cancel": "ביטול", + "Cancel edits": "ביטול עריכות", "Caption": "כותרת", + "Center map on your location": "מרכוז המפה על המיקום שלך", + "Change map background": "החלפת רקע המפה", "Change symbol": "החלפת סימן", + "Change tilelayers": "החלפת שכבות אריחים", + "Choose a preset": "נא לבחור ערכה", "Choose the data format": "נא לבחור את מבנה הנתונים", + "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer of the feature": "נא לבחור את שכבת התכונה", + "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Circle": "עיגול", + "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": "יש ללחוץ כדי להתחיל לצייר מצולע", + "Clone": "שכפול", + "Clone of {name}": "שכפול של {name}", + "Clone this feature": "שכפול התכונה הזו", + "Clone this map": "שכפול המפה הזו", + "Close": "סגירה", "Clustered": "בקבוצה", + "Clustering radius": "רדיוס קיבוץ", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "ערכים מופרדים בפסיקים, טאבים או נקודה פסיק. עם רמיזה ל־SRS WGS84. רק גואמטריית נקודות מייובאת. הייבוא יסתכל על כותרות העמודות לאיתור אזכורים של „lat” (קו רוחב) ו־„lon” (קו אורך) בתחילת הכותרת, לא משנה אותיות קטנות/גדולות. כל שאר העמודות ייובאו כמאפיינים.", + "Continue line": "להמשיך את הקו", + "Continue line (Ctrl+Click)": "להמשיך את הקו ‪(Ctrl+לחיצה)", + "Coordinates": "נקודות ציון", + "Credits": "תודות", + "Current view instead of default map view?": "התצוגה הנוכחית במקום תצוגת בררת המחדל של המפה?", + "Custom background": "רקע בהתאמה אישית", + "Custom overlay": "Custom overlay", "Data browser": "דפדפן נתונים", + "Data filters": "Data filters", + "Data is browsable": "הנתונים זמינים לעיון", "Default": "בררת מחדל", + "Default interaction options": "אפשרויות אינטראקציה כבררת מחדל", + "Default properties": "מאפיינים כבררת מחדל", + "Default shape properties": "מאפייני צורה כבררת מחדל", "Default zoom level": "רמת תקריב כבררת מחדל", "Default: name": "בררת מחדל: שם", + "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 property on all the features": "מחיקת המאפיין הזה מכל התכונות", + "Delete this shape": "מחיקת הצורה הזו", + "Delete this vertex (Alt+Click)": "מחיקת הקודקוד הזה ‪(Alt+לחיצה)", + "Directions from here": "הכוונה מכאן", + "Disable editing": "השבתת עריכה", "Display label": "הצגת תווית", + "Display measure": "הצגת מדידה", + "Display on load": "הצגה עם הטעינה", "Display the control to open OpenStreetMap editor": "יש להציג את הפקד לפתיחת העורך של OpenStreetMap", "Display the data layers control": "הצגת פקד שכבות הנתונים", "Display the embed control": "הצגת פקד ההטמעה", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "התוויות זמינות ללחיצה", - "None": "ללא", - "On the bottom": "בתחתית", - "On the left": "משמאל", - "On the right": "מימין", - "On the top": "מלמעלה", - "Popup content template": "תבנית תוכן מוקפצת", - "Set symbol": "הגדרת סמן", - "Side panel": "לוח צד", - "Simplify": "פישוט", - "Symbol or url": "סמן או כתובת", - "Table": "טבלה", - "always": "תמיד", - "clear": "למחוק", - "collapsed": "מצומצם", - "color": "צבע", - "dash array": "סדרה של מקפים", - "define": "הגדרה", - "description": "תיאור", - "expanded": "מורחב", - "fill": "מילוי", - "fill color": "צבע מילוי", - "fill opacity": "אטימות מילוי", - "hidden": "מוסתר", - "iframe": "מסגרת פנימית", - "inherit": "ירושה", - "name": "שם", - "never": "מעולם לא", - "new window": "חלון חדש", - "no": "לא", - "on hover": "בריחוף מעל", - "opacity": "אטימות", - "parent window": "חלון הורה", - "stroke": "לוכסן", - "weight": "משקל", - "yes": "כן", - "{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”.", - "About": "על אודות", - "Action not allowed :(": "הפעולה אסורה :(", - "Activate slideshow mode": "הפעלת מצב מצגת", - "Add a layer": "הוספת שכבה", - "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": "הצמדת מפה לחשבון שלי", - "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": "יש ללחוץ כדי להמשיך בציור", - "Click to edit": "יש ללחוץ כדי לערוך", - "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", - "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", - "Clone": "שכפול", - "Clone of {name}": "שכפול של {name}", - "Clone this feature": "שכפול התכונה הזו", - "Clone this map": "שכפול המפה הזו", - "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.": "ערכים מופרדים בפסיקים, טאבים או נקודה פסיק. עם רמיזה ל־SRS WGS84. רק גואמטריית נקודות מייובאת. הייבוא יסתכל על כותרות העמודות לאיתור אזכורים של „lat” (קו רוחב) ו־„lon” (קו אורך) בתחילת הכותרת, לא משנה אותיות קטנות/גדולות. כל שאר העמודות ייובאו כמאפיינים.", - "Continue line": "להמשיך את הקו", - "Continue line (Ctrl+Click)": "להמשיך את הקו ‪(Ctrl+לחיצה)", - "Coordinates": "נקודות ציון", - "Credits": "תודות", - "Current view instead of default map view?": "התצוגה הנוכחית במקום תצוגת בררת המחדל של המפה?", - "Custom background": "רקע בהתאמה אישית", - "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": "מחיקה", - "Delete all layers": "מחיקת כל השכבות", - "Delete layer": "מחיקת שכבה", - "Delete this feature": "מחיקת התכונה הזו", - "Delete this property on all the features": "מחיקת המאפיין הזה מכל התכונות", - "Delete this shape": "מחיקת הצורה הזו", - "Delete this vertex (Alt+Click)": "מחיקת הקודקוד הזה ‪(Alt+לחיצה)", - "Directions from here": "הכוונה מכאן", - "Disable editing": "השבתת עריכה", - "Display measure": "הצגת מדידה", - "Display on load": "הצגה עם הטעינה", "Download": "הורדה", "Download data": "נתונים שהתקבלו", "Drag to reorder": "יש לגרור כדי לסדר מחדש", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "ציור סמן", "Draw a polygon": "ציור מצולע", "Draw a polyline": "ציור קו שבור", + "Drop": "נעץ", "Dynamic": "דינמי", "Dynamic properties": "מאפיינים דינמיים", "Edit": "עריכה", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "הטמעת המפה", "Empty": "לרוקן", "Enable editing": "הפעלת עריכה", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "שגיאה בכתובת שכבת האריחים", "Error while fetching {url}": "שגיאה בקבלת {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "יציאה ממסך מלא", "Extract shape to separate feature": "יש לחלץ צורה כדי להפריד תכונה", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "לקבל נתונים בכל פעם שתצוגת המפה משתנה.", "Filter keys": "סינון מפתחות", "Filter…": "מסנן…", "Format": "תצורה", "From zoom": "מרמת תקריב", "Full map data": "נתוני מפה מלאים", + "GeoRSS (only link)": "GeoRSS (קישור בלבד)", + "GeoRSS (title + image)": "GeoRSS (כותרת + תמונה)", "Go to «{feature}»": "מעבר אל «{feature}»", + "Heatmap": "מפת חום", "Heatmap intensity property": "מאפיין עצמת מפת חום", "Heatmap radius": "רדיוס מפת חום", "Help": "עזרה", "Hide controls": "הסתרת פקדים", "Home": "בית", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "כמה לפשט את הקו השבור בכל רמת תקריב (יותר = ביצועים משופרים ומראה חלק יותר, פחות = דיוק גבוה יותר)", + "Icon shape": "צורת סמל", + "Icon symbol": "סמן סמל", "If false, the polygon will act as a part of the underlying map.": "אם שקר, המצולע יתנהג כחלק מהמפה שמתחת.", "Iframe export options": "אפשרויות ייצוא מסגרת פנימית", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "מסגרת פנימית עם גובה מותאם (בפיקסלים): {{{http://iframe.url.com|גובה}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "ייבוא לשכבה חדשה", "Imports all umap data, including layers and settings.": "יבוצע ייבוא של כל הנתונים של umap לרבות שכבות והגדרות.", "Include full screen link?": "לכלול קישור למסך מלא?", + "Inherit": "ירושה", "Interaction options": "אפשרויות אינטראקציה", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "נתוני umap שגויים", "Invalid umap data in {filename}": "נתוני umap שגויים בתוך {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "להשאיר את השכבות שגלויות כרגע", + "Label direction": "כיוון התווית", + "Label key": "מפתח תווית", + "Labels are clickable": "התוויות זמינות ללחיצה", "Latitude": "קו רוחב", "Layer": "שכבה", "Layer properties": "מאפייני שכבה", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "מיזוג קווים", "More controls": "פקדים נוספים", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "חייב להיות ערך CSS תקני (למשל: DarkBlue או #123456)", + "No cache": "אין מטמון", "No licence has been set": "לא הוגדר רישיון", "No results": "אין תוצאות", + "No results for these filters": "No results for these filters", + "None": "ללא", + "On the bottom": "בתחתית", + "On the left": "משמאל", + "On the right": "מימין", + "On the top": "מלמעלה", "Only visible features will be downloaded.": "רק תכונות גלויות תתקבלנה.", + "Open current feature on load": "Open current feature on load", "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.": "רשות.", "Optional. Same as color if not set.": "רשות. כנ״ל לגבי צבע אם לא הוגדר.", "Override clustering radius (default 80)": "דריסת רדיוס הקבוצה (בררת המחדל היא 80)", "Override heatmap radius (default 25)": "דריסת רדיוס מפת החום (בררת המחדל היא 25)", + "Paste your data here": "נא להדביק את הנתונים שלך כאן", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "נא למלא את השם החדש של המאפיין הזה", + "Please save the map first": "נא לשמור את המפה קודם", + "Popup": "חלונית מוקפצת", + "Popup (large)": "חלונית מוקפצת (גדולה)", + "Popup content style": "סגנון תוכן חלונית מוקפצת", + "Popup content template": "תבנית תוכן מוקפצת", + "Popup shape": "צורת חלונית מוקפצת", "Powered by Leaflet and Django, glued by uMap project.": "מופעל על גבי Leaflet ו־Django, חוברו להם יחדיו על ידי מיזם uMap.", "Problem in the response": "בעיה בתגובה", "Problem in the response format": "בעיה במבנה התגובה", @@ -262,12 +262,17 @@ var locale = { "See all": "להציג הכול", "See data layers": "להציג שכבות נתונים", "See full screen": "הצגת מסך מלא", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "יש להגדיר לשקר כדי להסתיר את השכבה הזאת מהמצגת, דפדפן הנתונים, הניווט המוקפץ…", + "Set symbol": "הגדרת סמן", "Shape properties": "מאפייני צורה", "Short URL": "כתובת מקוצרת", "Short credits": "תודות מקוצרות", "Show/hide layer": "הצגת/הסתרת שכבה", + "Side panel": "לוח צד", "Simple link: [[http://example.com]]": "קישור פשוט: [[http://example.com]]", + "Simplify": "פישוט", + "Skipping unknown geometry.type: {type}": "יתבצע דילוג על geometry.type לא ידוע: {type}", "Slideshow": "מצגת", "Smart transitions": "מעברונים חכמים", "Sort key": "מפתח סידור", @@ -280,10 +285,13 @@ var locale = { "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.": "סמן יכול להיות תו יוניקוד או כתובת. ניתן להשתמש בתכונות מאפיינים כמשתנים, למשל: עם „‎http://myserver.org/images/{name}.png‎” המשתנה {name} יוחלף בערך של „name” בכל אחד מהסמנים.", + "Symbol or url": "סמן או כתובת", "TMS format": "מבנה TMS", + "Table": "טבלה", "Text color for the cluster label": "צבע טקסט לתווית הקבוצה", "Text formatting": "עיצוב טקסט", "The name of the property to use as feature label (ex.: \"nom\")": "שם המאפיין לשימוש כתווית תכונה (למשל: „nom”)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "למי יש אפשרות לערוך", "Who can view": "למי יש אפשרות לצפות", "Will be displayed in the bottom right corner of the map": "יוצג בפינה הימנית התחתונה של המפה", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "אופסי! מישהו ערך את הנתונים שלך. עדיין ניתן לשמור אבל זה עשוי למחוק את השינויים שאחרים עשו.", "You have unsaved changes.": "יש לך שינויים שלא נשמרו.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "התמקדות על הקודם", "Zoom to this feature": "התמקדות על תכונה זו", "Zoom to this place": "התמקדות על המקום הזה", + "always": "תמיד", "attribution": "ייחוס", "by": "מאת", + "clear": "למחוק", + "collapsed": "מצומצם", + "color": "צבע", + "dash array": "סדרה של מקפים", + "define": "הגדרה", + "description": "תיאור", "display name": "שם תצוגה", + "expanded": "מורחב", + "fill": "מילוי", + "fill color": "צבע מילוי", + "fill opacity": "אטימות מילוי", "height": "גובה", + "hidden": "מוסתר", + "iframe": "מסגרת פנימית", + "inherit": "ירושה", "licence": "רישיון", "max East": "מזרח מרבי", "max North": "צפון מרבי", @@ -332,10 +355,21 @@ var locale = { "max West": "מערב מרבי", "max zoom": "תקריב מרבי", "min zoom": "תקריב מזערי", + "name": "שם", + "never": "מעולם לא", + "new window": "חלון חדש", "next": "הבא", + "no": "לא", + "on hover": "בריחוף מעל", + "opacity": "אטימות", + "parent window": "חלון הורה", "previous": "הקודם", + "stroke": "לוכסן", + "weight": "משקל", "width": "רוחב", + "yes": "כן", "{count} errors during import: {message}": "{count} שגיאות במהלך הייבוא: {message}", + "{delay} seconds": "{delay} שניות", "Measure distances": "מדידת מרחקים", "NM": "מיילים ימיים", "kilometers": "קילומטרים", @@ -343,45 +377,16 @@ var locale = { "mi": "מייל", "miles": "מיילים", "nautical miles": "מיילים ימיים", - "{area} acres": "{area} אקרים", - "{area} ha": "{area} הקטאר", - "{area} m²": "{area} מ׳²", - "{area} mi²": "{area} מיילים²", - "{area} yd²": "{area} יארדים²", - "{distance} NM": "{distance} מיילים ימיים", - "{distance} km": "{distance} ק״מ", - "{distance} m": "{distance} מ׳", - "{distance} miles": "{distance} מיילים", - "{distance} yd": "{distance} יארד", - "1 day": "יום", - "1 hour": "שעה", - "5 min": "5 דקות", - "Cache proxied request": "שמירת בקשות שעברו דרך המתווך במטמון", - "No cache": "אין מטמון", - "Popup": "חלונית מוקפצת", - "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": "נא לשמור את המפה קודם", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} אקרים", + "{area} ha": "{area} הקטאר", + "{area} m²": "{area} מ׳²", + "{area} mi²": "{area} מיילים²", + "{area} yd²": "{area} יארדים²", + "{distance} NM": "{distance} מיילים ימיים", + "{distance} km": "{distance} ק״מ", + "{distance} m": "{distance} מ׳", + "{distance} miles": "{distance} מיילים", + "{distance} yd": "{distance} יארד" }; L.registerLocale("he", locale); L.setLocale("he"); \ No newline at end of file diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 6567facb..86dc10c1 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- לקו חוצה", + "1 day": "יום", + "1 hour": "שעה", + "5 min": "5 דקות", + "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": "הפעלת מצב מצגת", + "Add a layer": "הוספת שכבה", + "Add a line to the current multi": "הוספת קו לרב המצולעים הנוכחי", + "Add a new property": "הוספת מאפיין חדש", + "Add a polygon to the current multi": "הוספת מצולע לרב המצולעים הנוכחי", "Add symbol": "הוספת סימן", + "Advanced actions": "פעולות מתקדמות", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "מאפיינים מתקדמים", + "Advanced transition": "התמרה מתקדמת", + "All properties are imported.": "כל המאפיינים ייובאו.", + "Allow interactions": "לאפשר אינטראקציות", "Allow scroll wheel zoom?": "לאפשר תקריב עם גלגלת העכבר?", + "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": "אוטומטית", "Automatic": "אוטומטי", + "Autostart when map is loaded": "להתחיל אוטומטית עם טעינת המפה", + "Background overlay url": "Background overlay url", "Ball": "כדור", + "Bring feature to center": "הבאת התכונה למרכז", + "Browse data": "עיון בנתונים", + "Cache proxied request": "שמירת בקשות שעברו דרך המתווך במטמון", "Cancel": "ביטול", + "Cancel edits": "ביטול עריכות", "Caption": "כותרת", + "Center map on your location": "מרכוז המפה על המיקום שלך", + "Change map background": "החלפת רקע המפה", "Change symbol": "החלפת סימן", + "Change tilelayers": "החלפת שכבות אריחים", + "Choose a preset": "נא לבחור ערכה", "Choose the data format": "נא לבחור את מבנה הנתונים", + "Choose the format of the data to import": "נא לבחור את תצורת הנתונים לייבוא", "Choose the layer of the feature": "נא לבחור את שכבת התכונה", + "Choose the layer to import in": "נא לבחור את השכבה אליה יתבצע הייבוא", "Circle": "עיגול", + "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": "יש ללחוץ כדי להתחיל לצייר מצולע", + "Clone": "שכפול", + "Clone of {name}": "שכפול של {name}", + "Clone this feature": "שכפול התכונה הזו", + "Clone this map": "שכפול המפה הזו", + "Close": "סגירה", "Clustered": "בקבוצה", + "Clustering radius": "רדיוס קיבוץ", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "ערכים מופרדים בפסיקים, טאבים או נקודה פסיק. עם רמיזה ל־SRS WGS84. רק גואמטריית נקודות מייובאת. הייבוא יסתכל על כותרות העמודות לאיתור אזכורים של „lat” (קו רוחב) ו־„lon” (קו אורך) בתחילת הכותרת, לא משנה אותיות קטנות/גדולות. כל שאר העמודות ייובאו כמאפיינים.", + "Continue line": "להמשיך את הקו", + "Continue line (Ctrl+Click)": "להמשיך את הקו ‪(Ctrl+לחיצה)", + "Coordinates": "נקודות ציון", + "Credits": "תודות", + "Current view instead of default map view?": "התצוגה הנוכחית במקום תצוגת בררת המחדל של המפה?", + "Custom background": "רקע בהתאמה אישית", + "Custom overlay": "Custom overlay", "Data browser": "דפדפן נתונים", + "Data filters": "Data filters", + "Data is browsable": "הנתונים זמינים לעיון", "Default": "בררת מחדל", + "Default interaction options": "אפשרויות אינטראקציה כבררת מחדל", + "Default properties": "מאפיינים כבררת מחדל", + "Default shape properties": "מאפייני צורה כבררת מחדל", "Default zoom level": "רמת תקריב כבררת מחדל", "Default: name": "בררת מחדל: שם", + "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 property on all the features": "מחיקת המאפיין הזה מכל התכונות", + "Delete this shape": "מחיקת הצורה הזו", + "Delete this vertex (Alt+Click)": "מחיקת הקודקוד הזה ‪(Alt+לחיצה)", + "Directions from here": "הכוונה מכאן", + "Disable editing": "השבתת עריכה", "Display label": "הצגת תווית", + "Display measure": "הצגת מדידה", + "Display on load": "הצגה עם הטעינה", "Display the control to open OpenStreetMap editor": "יש להציג את הפקד לפתיחת העורך של OpenStreetMap", "Display the data layers control": "הצגת פקד שכבות הנתונים", "Display the embed control": "הצגת פקד ההטמעה", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "התוויות זמינות ללחיצה", - "None": "ללא", - "On the bottom": "בתחתית", - "On the left": "משמאל", - "On the right": "מימין", - "On the top": "מלמעלה", - "Popup content template": "תבנית תוכן מוקפצת", - "Set symbol": "הגדרת סמן", - "Side panel": "לוח צד", - "Simplify": "פישוט", - "Symbol or url": "סמן או כתובת", - "Table": "טבלה", - "always": "תמיד", - "clear": "למחוק", - "collapsed": "מצומצם", - "color": "צבע", - "dash array": "סדרה של מקפים", - "define": "הגדרה", - "description": "תיאור", - "expanded": "מורחב", - "fill": "מילוי", - "fill color": "צבע מילוי", - "fill opacity": "אטימות מילוי", - "hidden": "מוסתר", - "iframe": "מסגרת פנימית", - "inherit": "ירושה", - "name": "שם", - "never": "מעולם לא", - "new window": "חלון חדש", - "no": "לא", - "on hover": "בריחוף מעל", - "opacity": "אטימות", - "parent window": "חלון הורה", - "stroke": "לוכסן", - "weight": "משקל", - "yes": "כן", - "{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”.", - "About": "על אודות", - "Action not allowed :(": "הפעולה אסורה :(", - "Activate slideshow mode": "הפעלת מצב מצגת", - "Add a layer": "הוספת שכבה", - "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": "הצמדת מפה לחשבון שלי", - "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": "יש ללחוץ כדי להמשיך בציור", - "Click to edit": "יש ללחוץ כדי לערוך", - "Click to start drawing a line": "יש ללחוץ כדי להתחיל לצייר קו", - "Click to start drawing a polygon": "יש ללחוץ כדי להתחיל לצייר מצולע", - "Clone": "שכפול", - "Clone of {name}": "שכפול של {name}", - "Clone this feature": "שכפול התכונה הזו", - "Clone this map": "שכפול המפה הזו", - "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.": "ערכים מופרדים בפסיקים, טאבים או נקודה פסיק. עם רמיזה ל־SRS WGS84. רק גואמטריית נקודות מייובאת. הייבוא יסתכל על כותרות העמודות לאיתור אזכורים של „lat” (קו רוחב) ו־„lon” (קו אורך) בתחילת הכותרת, לא משנה אותיות קטנות/גדולות. כל שאר העמודות ייובאו כמאפיינים.", - "Continue line": "להמשיך את הקו", - "Continue line (Ctrl+Click)": "להמשיך את הקו ‪(Ctrl+לחיצה)", - "Coordinates": "נקודות ציון", - "Credits": "תודות", - "Current view instead of default map view?": "התצוגה הנוכחית במקום תצוגת בררת המחדל של המפה?", - "Custom background": "רקע בהתאמה אישית", - "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": "מחיקה", - "Delete all layers": "מחיקת כל השכבות", - "Delete layer": "מחיקת שכבה", - "Delete this feature": "מחיקת התכונה הזו", - "Delete this property on all the features": "מחיקת המאפיין הזה מכל התכונות", - "Delete this shape": "מחיקת הצורה הזו", - "Delete this vertex (Alt+Click)": "מחיקת הקודקוד הזה ‪(Alt+לחיצה)", - "Directions from here": "הכוונה מכאן", - "Disable editing": "השבתת עריכה", - "Display measure": "הצגת מדידה", - "Display on load": "הצגה עם הטעינה", "Download": "הורדה", "Download data": "נתונים שהתקבלו", "Drag to reorder": "יש לגרור כדי לסדר מחדש", @@ -159,6 +125,7 @@ "Draw a marker": "ציור סמן", "Draw a polygon": "ציור מצולע", "Draw a polyline": "ציור קו שבור", + "Drop": "נעץ", "Dynamic": "דינמי", "Dynamic properties": "מאפיינים דינמיים", "Edit": "עריכה", @@ -172,23 +139,31 @@ "Embed the map": "הטמעת המפה", "Empty": "לרוקן", "Enable editing": "הפעלת עריכה", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "שגיאה בכתובת שכבת האריחים", "Error while fetching {url}": "שגיאה בקבלת {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "יציאה ממסך מלא", "Extract shape to separate feature": "יש לחלץ צורה כדי להפריד תכונה", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "לקבל נתונים בכל פעם שתצוגת המפה משתנה.", "Filter keys": "סינון מפתחות", "Filter…": "מסנן…", "Format": "תצורה", "From zoom": "מרמת תקריב", "Full map data": "נתוני מפה מלאים", + "GeoRSS (only link)": "GeoRSS (קישור בלבד)", + "GeoRSS (title + image)": "GeoRSS (כותרת + תמונה)", "Go to «{feature}»": "מעבר אל «{feature}»", + "Heatmap": "מפת חום", "Heatmap intensity property": "מאפיין עצמת מפת חום", "Heatmap radius": "רדיוס מפת חום", "Help": "עזרה", "Hide controls": "הסתרת פקדים", "Home": "בית", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "כמה לפשט את הקו השבור בכל רמת תקריב (יותר = ביצועים משופרים ומראה חלק יותר, פחות = דיוק גבוה יותר)", + "Icon shape": "צורת סמל", + "Icon symbol": "סמן סמל", "If false, the polygon will act as a part of the underlying map.": "אם שקר, המצולע יתנהג כחלק מהמפה שמתחת.", "Iframe export options": "אפשרויות ייצוא מסגרת פנימית", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "מסגרת פנימית עם גובה מותאם (בפיקסלים): {{{http://iframe.url.com|גובה}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "ייבוא לשכבה חדשה", "Imports all umap data, including layers and settings.": "יבוצע ייבוא של כל הנתונים של umap לרבות שכבות והגדרות.", "Include full screen link?": "לכלול קישור למסך מלא?", + "Inherit": "ירושה", "Interaction options": "אפשרויות אינטראקציה", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "נתוני umap שגויים", "Invalid umap data in {filename}": "נתוני umap שגויים בתוך {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "להשאיר את השכבות שגלויות כרגע", + "Label direction": "כיוון התווית", + "Label key": "מפתח תווית", + "Labels are clickable": "התוויות זמינות ללחיצה", "Latitude": "קו רוחב", "Layer": "שכבה", "Layer properties": "מאפייני שכבה", @@ -225,20 +206,39 @@ "Merge lines": "מיזוג קווים", "More controls": "פקדים נוספים", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "חייב להיות ערך CSS תקני (למשל: DarkBlue או #123456)", + "No cache": "אין מטמון", "No licence has been set": "לא הוגדר רישיון", "No results": "אין תוצאות", + "No results for these filters": "No results for these filters", + "None": "ללא", + "On the bottom": "בתחתית", + "On the left": "משמאל", + "On the right": "מימין", + "On the top": "מלמעלה", "Only visible features will be downloaded.": "רק תכונות גלויות תתקבלנה.", + "Open current feature on load": "Open current feature on load", "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.": "רשות.", "Optional. Same as color if not set.": "רשות. כנ״ל לגבי צבע אם לא הוגדר.", "Override clustering radius (default 80)": "דריסת רדיוס הקבוצה (בררת המחדל היא 80)", "Override heatmap radius (default 25)": "דריסת רדיוס מפת החום (בררת המחדל היא 25)", + "Paste your data here": "נא להדביק את הנתונים שלך כאן", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "נא למלא את השם החדש של המאפיין הזה", + "Please save the map first": "נא לשמור את המפה קודם", + "Popup": "חלונית מוקפצת", + "Popup (large)": "חלונית מוקפצת (גדולה)", + "Popup content style": "סגנון תוכן חלונית מוקפצת", + "Popup content template": "תבנית תוכן מוקפצת", + "Popup shape": "צורת חלונית מוקפצת", "Powered by Leaflet and Django, glued by uMap project.": "מופעל על גבי Leaflet ו־Django, חוברו להם יחדיו על ידי מיזם uMap.", "Problem in the response": "בעיה בתגובה", "Problem in the response format": "בעיה במבנה התגובה", @@ -262,12 +262,17 @@ "See all": "להציג הכול", "See data layers": "להציג שכבות נתונים", "See full screen": "הצגת מסך מלא", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "יש להגדיר לשקר כדי להסתיר את השכבה הזאת מהמצגת, דפדפן הנתונים, הניווט המוקפץ…", + "Set symbol": "הגדרת סמן", "Shape properties": "מאפייני צורה", "Short URL": "כתובת מקוצרת", "Short credits": "תודות מקוצרות", "Show/hide layer": "הצגת/הסתרת שכבה", + "Side panel": "לוח צד", "Simple link: [[http://example.com]]": "קישור פשוט: [[http://example.com]]", + "Simplify": "פישוט", + "Skipping unknown geometry.type: {type}": "יתבצע דילוג על geometry.type לא ידוע: {type}", "Slideshow": "מצגת", "Smart transitions": "מעברונים חכמים", "Sort key": "מפתח סידור", @@ -280,10 +285,13 @@ "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.": "סמן יכול להיות תו יוניקוד או כתובת. ניתן להשתמש בתכונות מאפיינים כמשתנים, למשל: עם „‎http://myserver.org/images/{name}.png‎” המשתנה {name} יוחלף בערך של „name” בכל אחד מהסמנים.", + "Symbol or url": "סמן או כתובת", "TMS format": "מבנה TMS", + "Table": "טבלה", "Text color for the cluster label": "צבע טקסט לתווית הקבוצה", "Text formatting": "עיצוב טקסט", "The name of the property to use as feature label (ex.: \"nom\")": "שם המאפיין לשימוש כתווית תכונה (למשל: „nom”)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", @@ -310,6 +318,7 @@ "Who can edit": "למי יש אפשרות לערוך", "Who can view": "למי יש אפשרות לצפות", "Will be displayed in the bottom right corner of the map": "יוצג בפינה הימנית התחתונה של המפה", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "אופסי! מישהו ערך את הנתונים שלך. עדיין ניתן לשמור אבל זה עשוי למחוק את השינויים שאחרים עשו.", "You have unsaved changes.": "יש לך שינויים שלא נשמרו.", @@ -321,10 +330,24 @@ "Zoom to the previous": "התמקדות על הקודם", "Zoom to this feature": "התמקדות על תכונה זו", "Zoom to this place": "התמקדות על המקום הזה", + "always": "תמיד", "attribution": "ייחוס", "by": "מאת", + "clear": "למחוק", + "collapsed": "מצומצם", + "color": "צבע", + "dash array": "סדרה של מקפים", + "define": "הגדרה", + "description": "תיאור", "display name": "שם תצוגה", + "expanded": "מורחב", + "fill": "מילוי", + "fill color": "צבע מילוי", + "fill opacity": "אטימות מילוי", "height": "גובה", + "hidden": "מוסתר", + "iframe": "מסגרת פנימית", + "inherit": "ירושה", "licence": "רישיון", "max East": "מזרח מרבי", "max North": "צפון מרבי", @@ -332,10 +355,21 @@ "max West": "מערב מרבי", "max zoom": "תקריב מרבי", "min zoom": "תקריב מזערי", + "name": "שם", + "never": "מעולם לא", + "new window": "חלון חדש", "next": "הבא", + "no": "לא", + "on hover": "בריחוף מעל", + "opacity": "אטימות", + "parent window": "חלון הורה", "previous": "הקודם", + "stroke": "לוכסן", + "weight": "משקל", "width": "רוחב", + "yes": "כן", "{count} errors during import: {message}": "{count} שגיאות במהלך הייבוא: {message}", + "{delay} seconds": "{delay} שניות", "Measure distances": "מדידת מרחקים", "NM": "מיילים ימיים", "kilometers": "קילומטרים", @@ -343,43 +377,14 @@ "mi": "מייל", "miles": "מיילים", "nautical miles": "מיילים ימיים", - "{area} acres": "{area} אקרים", - "{area} ha": "{area} הקטאר", - "{area} m²": "{area} מ׳²", - "{area} mi²": "{area} מיילים²", - "{area} yd²": "{area} יארדים²", - "{distance} NM": "{distance} מיילים ימיים", - "{distance} km": "{distance} ק״מ", - "{distance} m": "{distance} מ׳", - "{distance} miles": "{distance} מיילים", - "{distance} yd": "{distance} יארד", - "1 day": "יום", - "1 hour": "שעה", - "5 min": "5 דקות", - "Cache proxied request": "שמירת בקשות שעברו דרך המתווך במטמון", - "No cache": "אין מטמון", - "Popup": "חלונית מוקפצת", - "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": "נא לשמור את המפה קודם", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} אקרים", + "{area} ha": "{area} הקטאר", + "{area} m²": "{area} מ׳²", + "{area} mi²": "{area} מיילים²", + "{area} yd²": "{area} יארדים²", + "{distance} NM": "{distance} מיילים ימיים", + "{distance} km": "{distance} ק״מ", + "{distance} m": "{distance} מ׳", + "{distance} miles": "{distance} מיילים", + "{distance} yd": "{distance} יארד" } \ No newline at end of file diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 05d44571..6cc740bf 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedne ljestve za glavni naslov", + "## two hashes for second heading": "### dva puta ljestve za treću razinu naslova", + "### three hashes for third heading": "### tri puta ljestve za treću razinu naslova", + "**double star for bold**": "**dvije zvijezdice za podebljano**", + "*simple star for italic*": "*zvijezdica za kurziv*", + "--- for an horizontal rule": "--- za horizontalnu crtu", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Više o", + "Action not allowed :(": "Akcija nije dozvoljena :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Dodaj sloj", + "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 symbol": "Dodavanje simbola", + "Advanced actions": "Napredne akcije", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Napredne postavke", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Sve postavke su uvezene.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Dopustiti uvećanje kotačićem miša?", + "An error occured": "Desila se greška", + "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?": "Jeste li sigurni da želite obrisati ovaj element?", + "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", "Automatic": "Automatsko", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Lopta", + "Bring feature to center": "Dovedi element na centar", + "Browse data": "Pregledaj unose", + "Cache proxied request": "Cache proxied request", "Cancel": "Odustani", + "Cancel edits": "Cancel edits", "Caption": "Napomena", + "Center map on your location": "Center map on your location", + "Change map background": "Promjeni pozadinu karte", "Change symbol": "Promjeni simbol", + "Change tilelayers": "Promeni naslov layera", + "Choose a preset": "Choose a preset", "Choose the data format": "Odaberi format datuma", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Odaberi sloj za uvoz", "Circle": "Krug", + "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": "Poduplaj ovu kartu", + "Close": "Close", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Posebna pozadina", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Obriši", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Brisanje ovog elementa", + "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": "Onemogući uređivanje", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Prikaži kod učitavanja", "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", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Želite li prikazati malu kartu?", "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Želite li prikazati skočni prozor u podnožju?", "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": "Naslijedi", - "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": "boja", - "dash array": "dash array", - "define": "define", - "description": "opis", - "expanded": "expanded", - "fill": "ispuna", - "fill color": "boja ispune", - "fill opacity": "prozirnost ispune", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "naslijedi", - "name": "ime", - "never": "never", - "new window": "new window", - "no": "ne", - "on hover": "on hover", - "opacity": "prozirnost", - "parent window": "parent window", - "stroke": "potez", - "weight": "debljina", - "yes": "Da", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# jedne ljestve za glavni naslov", - "## two hashes for second heading": "### dva puta ljestve za treću razinu naslova", - "### three hashes for third heading": "### tri puta ljestve za treću razinu naslova", - "**double star for bold**": "**dvije zvijezdice za podebljano**", - "*simple star for italic*": "*zvijezdica za kurziv*", - "--- for an horizontal rule": "--- za horizontalnu crtu", - "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": "Više o", - "Action not allowed :(": "Akcija nije dozvoljena :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Dodaj sloj", - "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": "Napredne akcije", - "Advanced properties": "Napredne postavke", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Sve postavke su uvezene.", - "Allow interactions": "Allow interactions", - "An error occured": "Desila se greška", - "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?": "Jeste li sigurni da želite obrisati ovaj element?", - "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": "Dovedi element na centar", - "Browse data": "Pregledaj unose", - "Cancel edits": "Cancel edits", - "Center map on your location": "Center map on your location", - "Change map background": "Promjeni pozadinu karte", - "Change tilelayers": "Promeni naslov layera", - "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": "Odaberi sloj za uvoz", - "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": "Poduplaj ovu kartu", - "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": "Posebna pozadina", - "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": "Obriši", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Brisanje ovog elementa", - "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": "Onemogući uređivanje", - "Display measure": "Display measure", - "Display on load": "Prikaži kod učitavanja", "Download": "Download", "Download data": "Preuzimanje podataka", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Crtanje oznake", "Draw a polygon": "Crtanje površine", "Draw a polyline": "Crtanje izlomljene linije", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Urediti", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Ugradi kartu", "Empty": "Empty", "Enable editing": "Omogući uređivanje", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "Format", "From zoom": "Od uvećanja", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Idi na «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Pomoć", "Hide controls": "Sakrij kontrole", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Naslijedi", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "Licenca nije postavljenja", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 u prepoznavanju formata", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "Prikaži unesene podatke", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Kratki URL", "Short credits": "Short credits", "Show/hide layer": "Prikaži/sakrij sloj", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Uvećaj odabrano", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "boja", + "dash array": "dash array", + "define": "define", + "description": "opis", "display name": "display name", + "expanded": "expanded", + "fill": "ispuna", + "fill color": "boja ispune", + "fill opacity": "prozirnost ispune", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "naslijedi", "licence": "licenca", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "maksimalno uvećanje", "min zoom": "minimalno uvećanje", + "name": "ime", + "never": "never", + "new window": "new window", "next": "next", + "no": "ne", + "on hover": "on hover", + "opacity": "prozirnost", + "parent window": "parent window", "previous": "previous", + "stroke": "potez", + "weight": "debljina", "width": "width", + "yes": "Da", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("hr", locale); L.setLocale("hr"); \ No newline at end of file diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index ac78916e..b28f4d96 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedne ljestve za glavni naslov", + "## two hashes for second heading": "### dva puta ljestve za treću razinu naslova", + "### three hashes for third heading": "### tri puta ljestve za treću razinu naslova", + "**double star for bold**": "**dvije zvijezdice za podebljano**", + "*simple star for italic*": "*zvijezdica za kurziv*", + "--- for an horizontal rule": "--- za horizontalnu crtu", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Više o", + "Action not allowed :(": "Akcija nije dozvoljena :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Dodaj sloj", + "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 symbol": "Dodavanje simbola", + "Advanced actions": "Napredne akcije", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Napredne postavke", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Sve postavke su uvezene.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Dopustiti uvećanje kotačićem miša?", + "An error occured": "Desila se greška", + "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?": "Jeste li sigurni da želite obrisati ovaj element?", + "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", "Automatic": "Automatsko", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Lopta", + "Bring feature to center": "Dovedi element na centar", + "Browse data": "Pregledaj unose", + "Cache proxied request": "Cache proxied request", "Cancel": "Odustani", + "Cancel edits": "Cancel edits", "Caption": "Napomena", + "Center map on your location": "Center map on your location", + "Change map background": "Promjeni pozadinu karte", "Change symbol": "Promjeni simbol", + "Change tilelayers": "Promeni naslov layera", + "Choose a preset": "Choose a preset", "Choose the data format": "Odaberi format datuma", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Odaberi sloj za uvoz", "Circle": "Krug", + "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": "Poduplaj ovu kartu", + "Close": "Close", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Posebna pozadina", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Obriši", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Brisanje ovog elementa", + "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": "Onemogući uređivanje", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Prikaži kod učitavanja", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Želite li prikazati malu kartu?", "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Želite li prikazati skočni prozor u podnožju?", "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": "Naslijedi", - "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": "boja", - "dash array": "dash array", - "define": "define", - "description": "opis", - "expanded": "expanded", - "fill": "ispuna", - "fill color": "boja ispune", - "fill opacity": "prozirnost ispune", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "naslijedi", - "name": "ime", - "never": "never", - "new window": "new window", - "no": "ne", - "on hover": "on hover", - "opacity": "prozirnost", - "parent window": "parent window", - "stroke": "potez", - "weight": "debljina", - "yes": "Da", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# jedne ljestve za glavni naslov", - "## two hashes for second heading": "### dva puta ljestve za treću razinu naslova", - "### three hashes for third heading": "### tri puta ljestve za treću razinu naslova", - "**double star for bold**": "**dvije zvijezdice za podebljano**", - "*simple star for italic*": "*zvijezdica za kurziv*", - "--- for an horizontal rule": "--- za horizontalnu crtu", - "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": "Više o", - "Action not allowed :(": "Akcija nije dozvoljena :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Dodaj sloj", - "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": "Napredne akcije", - "Advanced properties": "Napredne postavke", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Sve postavke su uvezene.", - "Allow interactions": "Allow interactions", - "An error occured": "Desila se greška", - "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?": "Jeste li sigurni da želite obrisati ovaj element?", - "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": "Dovedi element na centar", - "Browse data": "Pregledaj unose", - "Cancel edits": "Cancel edits", - "Center map on your location": "Center map on your location", - "Change map background": "Promjeni pozadinu karte", - "Change tilelayers": "Promeni naslov layera", - "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": "Odaberi sloj za uvoz", - "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": "Poduplaj ovu kartu", - "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": "Posebna pozadina", - "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": "Obriši", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Brisanje ovog elementa", - "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": "Onemogući uređivanje", - "Display measure": "Display measure", - "Display on load": "Prikaži kod učitavanja", "Download": "Download", "Download data": "Preuzimanje podataka", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Crtanje oznake", "Draw a polygon": "Crtanje površine", "Draw a polyline": "Crtanje izlomljene linije", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Urediti", @@ -172,23 +139,31 @@ "Embed the map": "Ugradi kartu", "Empty": "Empty", "Enable editing": "Omogući uređivanje", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "Format", "From zoom": "Od uvećanja", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Idi na «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Pomoć", "Hide controls": "Sakrij kontrole", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Naslijedi", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "Licenca nije postavljenja", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 u prepoznavanju formata", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "Prikaži unesene podatke", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Kratki URL", "Short credits": "Short credits", "Show/hide layer": "Prikaži/sakrij sloj", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Uvećaj odabrano", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "boja", + "dash array": "dash array", + "define": "define", + "description": "opis", "display name": "display name", + "expanded": "expanded", + "fill": "ispuna", + "fill color": "boja ispune", + "fill opacity": "prozirnost ispune", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "naslijedi", "licence": "licenca", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "maksimalno uvećanje", "min zoom": "minimalno uvećanje", + "name": "ime", + "never": "never", + "new window": "new window", "next": "next", + "no": "ne", + "on hover": "on hover", + "opacity": "prozirnost", + "parent window": "parent window", "previous": "previous", + "stroke": "potez", + "weight": "debljina", "width": "width", + "yes": "Da", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 947f3322..8d343085 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# egy számjel: fő címsor", + "## two hashes for second heading": "## két számjel: második címsor", + "### three hashes for third heading": "### három számjel: harmadik címsor", + "**double star for bold**": "**két csillag: félkövér**", + "*simple star for italic*": "*egy csillag: dőlt*", + "--- for an horizontal rule": "--- három kötőjel: vízszintes vonal", + "1 day": "1 nap", + "1 hour": "1 óra", + "5 min": "5 perc", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Vesszővel elválasztott számsor, amely meghatározza a szaggatott vonalak mintázatát. Például 5,10,15 Ha nem világos, próbálkozz!", + "About": "Névjegy", + "Action not allowed :(": "Nem engedélyezett művelet :(", + "Activate slideshow mode": "Diavetítésmód aktiválása", + "Add a layer": "Réteg hozzáadása", + "Add a line to the current multi": "Vonal hozzáadása a jelenlegi alakzatcsoporthoz", + "Add a new property": "Új tulajdonság hozzáadása", + "Add a polygon to the current multi": "Sokszög hozzáadása a jelenlegi alakzatcsoporthoz", "Add symbol": "Szimbólum hozzáadása", + "Advanced actions": "Speciális műveletek", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Speciális tulajdonságok", + "Advanced transition": "Speciális áttűnés", + "All properties are imported.": "Minden tulajdonság importálva lett.", + "Allow interactions": "Interakció engedélyezése", "Allow scroll wheel zoom?": "Engedélyezi-e a görgetést nagyításkor?", + "An error occured": "Hiba történt", + "Are you sure you want to cancel your changes?": "Biztosan elveti a módosításait?", + "Are you sure you want to clone this map and all its datalayers?": "Biztosan klónozza a térképet és az összes adatrétegét?", + "Are you sure you want to delete the feature?": "Biztosan törölni szeretné ezt az objektumot?", + "Are you sure you want to delete this layer?": "Biztosan törölni szeretné ezt a réteget?", + "Are you sure you want to delete this map?": "Biztosan törölni szeretné ezt a térképet?", + "Are you sure you want to delete this property on all the features?": "Biztosan törölni szeretné ezt a tulajdonságot az összes objektumról?", + "Are you sure you want to restore this version?": "Biztosan ezt a változatot akarja helyreállítani?", + "Attach the map to my account": "Térkép csatolása a fiókomhoz", + "Auto": "Automatikus", "Automatic": "Automatikus", + "Autostart when map is loaded": "Automatikus indulás a térkép betöltése után", + "Background overlay url": "Background overlay url", "Ball": "Gombostű", + "Bring feature to center": "Objektum középre hozása", + "Browse data": "Adatok böngészése", + "Cache proxied request": "Proxy keresztül továbbított gyorsítótárkérés", "Cancel": "Mégse", + "Cancel edits": "Szerkesztések elvetése", "Caption": "Cím", + "Center map on your location": "A térkép közepének igazítása a saját pozícióhoz", + "Change map background": "Térkép hátterének módosítása", "Change symbol": "Szimbólum módosítása", + "Change tilelayers": "Mozaikrétegek módosítása", + "Choose a preset": "Előbeállítás kiválasztása", "Choose the data format": "Adatformátum kiválasztása", + "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer of the feature": "Objektum rétegének kiválasztása", + "Choose the layer to import in": "Importálandó réteg kiválasztása", "Circle": "Kör", + "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", + "Click to add a marker": "Jelölő hozzáadásához kattintson", + "Click to continue drawing": "Kattintson a rajzolás folytatásához", + "Click to edit": "Kattintson a szerkesztéshez", + "Click to start drawing a line": "Kattintson egy vonal rajzolásához", + "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", + "Clone": "Klónozás", + "Clone of {name}": "{name} klónozása", + "Clone this feature": "Objektum klónozása", + "Clone this map": "Térkép klónozása", + "Close": "Bezárás", "Clustered": "Csoportosított", + "Clustering radius": "Csoportosítás sugara", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Tulajdonságok vesszővel elválasztott sora, amely objektumok szűrésére használható", + "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.": "Vesszővel, pontosvesszővel vagy tabulátorral elválasztott értékek a WGS84 referenciarendszer szerint. Csak a pontok pozíciója importálódik. Az import során az oszlopfejlécekben, a címsor kezdetén található „lat” és „long” említések vétetenek figyelembe; kis- vagy nagybetű nem számít. Az összes többi oszlop tulajdonságként importálódik.", + "Continue line": "Vonal folytatása", + "Continue line (Ctrl+Click)": "Vonal folytatása (Ctrl+Kattintás)", + "Coordinates": "Koordináták", + "Credits": "Alkotók", + "Current view instead of default map view?": "Használja-e a jelenlegi nézetet az alapértelmezett helyett?", + "Custom background": "Egyedi háttér", + "Custom overlay": "Custom overlay", "Data browser": "Adatböngésző", + "Data filters": "Data filters", + "Data is browsable": "Az adatok böngészhetők", "Default": "Alapértelmezett", + "Default interaction options": "Alapértelmezett interakciós beállítások", + "Default properties": "Alapértelmezett tulajdonságok", + "Default shape properties": "Alapértelmezett alakzattulajdonságok", "Default zoom level": "Alapértelmezett nagyítási szint", "Default: name": "Alapértelmezett: név", + "Define link to open in a new window on polygon click.": "Link meghatározása, amely megnyílik a sokszögre kattintva.", + "Delay between two transitions when in play mode": "Az áttűnések közötti késés lejátszási üzemmódban", + "Delete": "Törlés", + "Delete all layers": "Összes réteg törlése", + "Delete layer": "Réteg törlése", + "Delete this feature": "Objektum törlése", + "Delete this property on all the features": "Tulajdonság törlése az összes objektumról", + "Delete this shape": "Alakzat törlése", + "Delete this vertex (Alt+Click)": "Sarokpont törlése (Alt+Klikk)", + "Directions from here": "Irányok innen", + "Disable editing": "Szerkesztés befejezése", "Display label": "Felirat megjelenítése", + "Display measure": "Távolságmérő megjelenítése", + "Display on load": "Megjelenítés betöltéskor", "Display the control to open OpenStreetMap editor": "Az OpenStreetMap szerkesztő megnyitása vezérlő megjelenítése", "Display the data layers control": "Adatrétegek vezérlő megjelenítése", "Display the embed control": "Beágyazás vezérlő megjelenítése", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Szeretné megjeleníteni a címsávot?", "Do you want to display a minimap?": "Szeretne megjeleníteni egy kis térképet?", "Do you want to display a panel on load?": "Betöltéskor szeretne-e megjeleníteni egy panelt?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Szeretn-e megjeleníteni egy előugró láblécet?", "Do you want to display the scale control?": "Szeretné megjeleníteni a méretarány vezérlőt?", "Do you want to display the «more» control?": "Szeretné megjeleníteni a „továbbiak” vezérlőt?", - "Drop": "Csepp", - "GeoRSS (only link)": "GeoRSS (csak link)", - "GeoRSS (title + image)": "GeoRSS (cím + kép)", - "Heatmap": "Intenzitástérkép", - "Icon shape": "Ikon alakja", - "Icon symbol": "Ikonszimbólum", - "Inherit": "Öröklés", - "Label direction": "Felirat iránya", - "Label key": "Felirathoz használt kulcs", - "Labels are clickable": "Kattintható feliratok", - "None": "Semmi", - "On the bottom": "Lent", - "On the left": "Balra", - "On the right": "Jobbra", - "On the top": "Fent", - "Popup content template": "Előugró tartalom sablonja", - "Set symbol": "Szimbólum megadása", - "Side panel": "Oldalsó panel", - "Simplify": "Egyszerűsítés", - "Symbol or url": "Szimbólum vagy URL", - "Table": "Táblázat", - "always": "mindig", - "clear": "alaphelyzet", - "collapsed": "összecsukva", - "color": "szín", - "dash array": "Szaggatottság mintázata", - "define": "meghatározás", - "description": "leírás", - "expanded": "kiterjesztett", - "fill": "kitöltés", - "fill color": "kitöltés színe", - "fill opacity": "kitöltés átlátszósága", - "hidden": "rejtett", - "iframe": "iframe", - "inherit": "öröklés", - "name": "név", - "never": "soha", - "new window": "új ablak", - "no": "nincs", - "on hover": "rámutatáskor", - "opacity": "átlátszóság", - "parent window": "szülőablak", - "stroke": "körvonal", - "weight": "vastagság", - "yes": "igen", - "{delay} seconds": "{delay} másodperc", - "# one hash for main heading": "# egy számjel: fő címsor", - "## two hashes for second heading": "## két számjel: második címsor", - "### three hashes for third heading": "### három számjel: harmadik címsor", - "**double star for bold**": "**két csillag: félkövér**", - "*simple star for italic*": "*egy csillag: dőlt*", - "--- for an horizontal rule": "--- három kötőjel: vízszintes vonal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Vesszővel elválasztott számsor, amely meghatározza a szaggatott vonalak mintázatát. Például 5,10,15 Ha nem világos, próbálkozz!", - "About": "Névjegy", - "Action not allowed :(": "Nem engedélyezett művelet :(", - "Activate slideshow mode": "Diavetítésmód aktiválása", - "Add a layer": "Réteg hozzáadása", - "Add a line to the current multi": "Vonal hozzáadása a jelenlegi alakzatcsoporthoz", - "Add a new property": "Új tulajdonság hozzáadása", - "Add a polygon to the current multi": "Sokszög hozzáadása a jelenlegi alakzatcsoporthoz", - "Advanced actions": "Speciális műveletek", - "Advanced properties": "Speciális tulajdonságok", - "Advanced transition": "Speciális áttűnés", - "All properties are imported.": "Minden tulajdonság importálva lett.", - "Allow interactions": "Interakció engedélyezése", - "An error occured": "Hiba történt", - "Are you sure you want to cancel your changes?": "Biztosan elveti a módosításait?", - "Are you sure you want to clone this map and all its datalayers?": "Biztosan klónozza a térképet és az összes adatrétegét?", - "Are you sure you want to delete the feature?": "Biztosan törölni szeretné ezt az objektumot?", - "Are you sure you want to delete this layer?": "Biztosan törölni szeretné ezt a réteget?", - "Are you sure you want to delete this map?": "Biztosan törölni szeretné ezt a térképet?", - "Are you sure you want to delete this property on all the features?": "Biztosan törölni szeretné ezt a tulajdonságot az összes objektumról?", - "Are you sure you want to restore this version?": "Biztosan ezt a változatot akarja helyreállítani?", - "Attach the map to my account": "Térkép csatolása a fiókomhoz", - "Auto": "Automatikus", - "Autostart when map is loaded": "Automatikus indulás a térkép betöltése után", - "Bring feature to center": "Objektum középre hozása", - "Browse data": "Adatok böngészése", - "Cancel edits": "Szerkesztések elvetése", - "Center map on your location": "A térkép közepének igazítása a saját pozícióhoz", - "Change map background": "Térkép hátterének módosítása", - "Change tilelayers": "Mozaikrétegek módosítása", - "Choose a preset": "Előbeállítás kiválasztása", - "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", - "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing": "Kattintson a rajzolás folytatásához", - "Click to edit": "Kattintson a szerkesztéshez", - "Click to start drawing a line": "Kattintson egy vonal rajzolásához", - "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", - "Clone": "Klónozás", - "Clone of {name}": "{name} klónozása", - "Clone this feature": "Objektum klónozása", - "Clone this map": "Térkép klónozása", - "Close": "Bezárás", - "Clustering radius": "Csoportosítás sugara", - "Comma separated list of properties to use when filtering features": "Tulajdonságok vesszővel elválasztott sora, amely objektumok szűrésére használható", - "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.": "Vesszővel, pontosvesszővel vagy tabulátorral elválasztott értékek a WGS84 referenciarendszer szerint. Csak a pontok pozíciója importálódik. Az import során az oszlopfejlécekben, a címsor kezdetén található „lat” és „long” említések vétetenek figyelembe; kis- vagy nagybetű nem számít. Az összes többi oszlop tulajdonságként importálódik.", - "Continue line": "Vonal folytatása", - "Continue line (Ctrl+Click)": "Vonal folytatása (Ctrl+Kattintás)", - "Coordinates": "Koordináták", - "Credits": "Alkotók", - "Current view instead of default map view?": "Használja-e a jelenlegi nézetet az alapértelmezett helyett?", - "Custom background": "Egyedi háttér", - "Data is browsable": "Az adatok böngészhetők", - "Default interaction options": "Alapértelmezett interakciós beállítások", - "Default properties": "Alapértelmezett tulajdonságok", - "Default shape properties": "Alapértelmezett alakzattulajdonságok", - "Define link to open in a new window on polygon click.": "Link meghatározása, amely megnyílik a sokszögre kattintva.", - "Delay between two transitions when in play mode": "Az áttűnések közötti késés lejátszási üzemmódban", - "Delete": "Törlés", - "Delete all layers": "Összes réteg törlése", - "Delete layer": "Réteg törlése", - "Delete this feature": "Objektum törlése", - "Delete this property on all the features": "Tulajdonság törlése az összes objektumról", - "Delete this shape": "Alakzat törlése", - "Delete this vertex (Alt+Click)": "Sarokpont törlése (Alt+Klikk)", - "Directions from here": "Irányok innen", - "Disable editing": "Szerkesztés befejezése", - "Display measure": "Távolságmérő megjelenítése", - "Display on load": "Megjelenítés betöltéskor", "Download": "Letöltés", "Download data": "Adatok letöltése", "Drag to reorder": "Az átrendezéshez húzza át", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Jelölő rajzolása", "Draw a polygon": "Sokszög rajzolása", "Draw a polyline": "Töröttvonal rajzolása", + "Drop": "Csepp", "Dynamic": "Dinamikus", "Dynamic properties": "Dinamikus tulajdonságok", "Edit": "Szerkesztés", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Térkép beágyazása", "Empty": "Kiürítés", "Enable editing": "Szerkesztés engedélyezése", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Hiba a mozaikréteg URL-jében", "Error while fetching {url}": "Hiba történt e webcím beolvasásakor: {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Kilépés a teljes képernyős nézetből", "Extract shape to separate feature": "Alakzat kiemelése objektum széválasztásához", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Adatok beolvasása a térkép nézetének minden egyes változásánál.", "Filter keys": "Szűréshez használt kulcsok", "Filter…": "Szűrés…", "Format": "Formátum", "From zoom": "Ettől a nagyítási szinttől", "Full map data": "Minden térképadat", + "GeoRSS (only link)": "GeoRSS (csak link)", + "GeoRSS (title + image)": "GeoRSS (cím + kép)", "Go to «{feature}»": "Ugrás ide: «{feature}»", + "Heatmap": "Intenzitástérkép", "Heatmap intensity property": "Intenzitástérkép tulajdonságai", "Heatmap radius": "Intenzitástérkép sugara", "Help": "Súgó", "Hide controls": "Vezérlők elrejtése", "Home": "Kezdőlap", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Mennyire egyszerűsödjék egy töröttvonal az egyes nagyítási fokozatoknál (jobban = jobb teljesítmény és simább kinézet, kevésbé = nagyobb pontosság)", + "Icon shape": "Ikon alakja", + "Icon symbol": "Ikonszimbólum", "If false, the polygon will act as a part of the underlying map.": "Ha hamis, akkor a sokszög az alapját jelentő térkép részeként fog viselkedni.", "Iframe export options": "Iframe exportálási beállítások", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe egyedi magassággal (pixel): {{{http://iframe.url.com|magasság}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importálás új rétegbe", "Imports all umap data, including layers and settings.": "Minden uMap-adatot (többek között a rétegeket és a beállításokat is) importálja.", "Include full screen link?": "Tartalmazzon-e teljes képernyős nézetre vezető linket?", + "Inherit": "Öröklés", "Interaction options": "Interakció beállításai", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Érvénytelen uMap-adatok", "Invalid umap data in {filename}": "Érvénytelen uMap-adatok: {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "A jelenleg látható rétegek megtartása", + "Label direction": "Felirat iránya", + "Label key": "Felirathoz használt kulcs", + "Labels are clickable": "Kattintható feliratok", "Latitude": "Szélesség", "Layer": "Réteg", "Layer properties": "Réteg tulajdonságai", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Vonalak egyesítése", "More controls": "További vezérlők", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Érvényes CSS-értéknek kell lennie (pl. DarkBlue vagy #123456)", + "No cache": "Nincs gyorsítótár", "No licence has been set": "Licenc még nincs megadva", "No results": "Nincs eredmény", + "No results for these filters": "No results for these filters", + "None": "Semmi", + "On the bottom": "Lent", + "On the left": "Balra", + "On the right": "Jobbra", + "On the top": "Fent", "Only visible features will be downloaded.": "Csak a látható objektumok lesznek letöltve.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Letöltési panel megnyitása", "Open link in…": "Link megnyitása itt:", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "A térképkivágás megnyitása egy térképszerkesztőben, hogy az OpenStreetMapbe pontosabb adatokat lehessen előállítani", "Optional intensity property for heatmap": "Intenzitástérkép nem kötelező tulajdonsága", + "Optional.": "Nem kötelező.", "Optional. Same as color if not set.": "Nem kötelező. Ha nincs beállítva, akkor ugyanaz, mint a szín.", "Override clustering radius (default 80)": "Csoportosítás sugarának felülírása (alapértelmezett: 80)", "Override heatmap radius (default 25)": "Intenzitástérkép sugarának felülírása (alapértelmezett: 25)", + "Paste your data here": "Illessze be ide az adatokat", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Győződjön meg róla, hogy a licenc megfelel a térkép felhasználásának.", "Please choose a format": "Válassza ki a formátumot", "Please enter the name of the property": "Adja meg a tulajdonság nevét", "Please enter the new name of this property": "Adja meg a tulajdonság új nevét", + "Please save the map first": "Először mentse a térképet", + "Popup": "Felugró", + "Popup (large)": "Felugró (nagy)", + "Popup content style": "Felugró tartalom stílusa", + "Popup content template": "Előugró tartalom sablonja", + "Popup shape": "Felugró ablak alakja", "Powered by Leaflet and Django, glued by uMap project.": "Technológia: Leaflet és Django, összeállító: uMap projekt.", "Problem in the response": "Hiba a válaszban", "Problem in the response format": "Hiba a válasz formátumában", @@ -262,12 +262,17 @@ var locale = { "See all": "Összes megtekintése", "See data layers": "Adatrétegek megtekintése", "See full screen": "Teljes képernyős nézet megtekintése", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Állítsa hamisra, hogy elrejtse ezt a réteget a diavetítésből, az adatböngészőből, az előugró navigációból stb.", + "Set symbol": "Szimbólum megadása", "Shape properties": "Alakzat tulajdonságai", "Short URL": "Rövid URL", "Short credits": "Alkotók röviden", "Show/hide layer": "Réteg megjelenítése/elrejtése", + "Side panel": "Oldalsó panel", "Simple link: [[http://example.com]]": "Egyszerű link: [[http://pelda.hu]]", + "Simplify": "Egyszerűsítés", + "Skipping unknown geometry.type: {type}": "Ismeretlen ({type}) geometriai típus kihagyása", "Slideshow": "Diavetítés", "Smart transitions": "Intelligens áttűnések", "Sort key": "Sorba rendezéshez használt kulcs", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Támogatott séma", "Supported variables that will be dynamically replaced": "Támogatott változók, amelyek dinamikusan behelyettesítődnek", "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.": "A szimbólum egy unicode karakter vagy egy URL lehet. Az objektum tulajdonságai változóként használhatók. Például „http://myserver.org/images/{name}.png” használatánál az egyes jelölők „name” értékei behelyettesítődnek {name} változó helyén.", + "Symbol or url": "Szimbólum vagy URL", "TMS format": "TMS-formátum", + "Table": "Táblázat", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "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", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Ki szerkesztheti?", "Who can view": "Ki láthatja?", "Will be displayed in the bottom right corner of the map": "A térkép jobb alsó sarkában fog megjelenni", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "A térkép címsávjában fog megjelenni", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ajjaj… Úgy tűnik, időközben valaki más is szerkesztette az adatokat. Ennek ellenére elmentheti őket, de ezzel az időközben mások által végzett módosítások el fognak veszni.", "You have unsaved changes.": "Vannak még nem mentett változtatásai.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Nagyítás az előzőre", "Zoom to this feature": "Nagyítás erre az objektumra", "Zoom to this place": "Nagyítás erre a helyre", + "always": "mindig", "attribution": "szerzőmegjelölés", "by": "- készítette:", + "clear": "alaphelyzet", + "collapsed": "összecsukva", + "color": "szín", + "dash array": "Szaggatottság mintázata", + "define": "meghatározás", + "description": "leírás", "display name": "név megjelenítése", + "expanded": "kiterjesztett", + "fill": "kitöltés", + "fill color": "kitöltés színe", + "fill opacity": "kitöltés átlátszósága", "height": "magasság", + "hidden": "rejtett", + "iframe": "iframe", + "inherit": "öröklés", "licence": "licenc", "max East": "keletre eddig", "max North": "északra eddig", @@ -332,10 +355,21 @@ var locale = { "max West": "nyugatra eddig", "max zoom": "legnagyobb nagyítás", "min zoom": "legkisebb nagyítás", + "name": "név", + "never": "soha", + "new window": "új ablak", "next": "következő", + "no": "nincs", + "on hover": "rámutatáskor", + "opacity": "átlátszóság", + "parent window": "szülőablak", "previous": "előző", + "stroke": "körvonal", + "weight": "vastagság", "width": "szélesség", + "yes": "igen", "{count} errors during import: {message}": "{count} hiba történt az importálás közben: {message}", + "{delay} seconds": "{delay} másodperc", "Measure distances": "Távolságmérés", "NM": "tengeri mérföld", "kilometers": "kilométer", @@ -343,45 +377,16 @@ var locale = { "mi": "mérföld", "miles": "mérföld", "nautical miles": "tengeri mérföld", - "{area} acres": "{area} acre", - "{area} ha": "{area} hektár", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mérföld²", - "{area} yd²": "{area} yard²", - "{distance} NM": "{distance} tengeri mérföld", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} mérföld", - "{distance} yd": "{distance} yard", - "1 day": "1 nap", - "1 hour": "1 óra", - "5 min": "5 perc", - "Cache proxied request": "Proxy keresztül továbbított gyorsítótárkérés", - "No cache": "Nincs gyorsítótár", - "Popup": "Felugró", - "Popup (large)": "Felugró (nagy)", - "Popup content style": "Felugró tartalom stílusa", - "Popup shape": "Felugró ablak alakja", - "Skipping unknown geometry.type: {type}": "Ismeretlen ({type}) geometriai típus kihagyása", - "Optional.": "Nem kötelező.", - "Paste your data here": "Illessze be ide az adatokat", - "Please save the map first": "Először mentse a térképet", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acre", + "{area} ha": "{area} hektár", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mérföld²", + "{area} yd²": "{area} yard²", + "{distance} NM": "{distance} tengeri mérföld", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} mérföld", + "{distance} yd": "{distance} yard" }; L.registerLocale("hu", locale); L.setLocale("hu"); \ No newline at end of file diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 488c7b99..06b0dad3 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# egy számjel: fő címsor", + "## two hashes for second heading": "## két számjel: második címsor", + "### three hashes for third heading": "### három számjel: harmadik címsor", + "**double star for bold**": "**két csillag: félkövér**", + "*simple star for italic*": "*egy csillag: dőlt*", + "--- for an horizontal rule": "--- három kötőjel: vízszintes vonal", + "1 day": "1 nap", + "1 hour": "1 óra", + "5 min": "5 perc", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Vesszővel elválasztott számsor, amely meghatározza a szaggatott vonalak mintázatát. Például 5,10,15 Ha nem világos, próbálkozz!", + "About": "Névjegy", + "Action not allowed :(": "Nem engedélyezett művelet :(", + "Activate slideshow mode": "Diavetítésmód aktiválása", + "Add a layer": "Réteg hozzáadása", + "Add a line to the current multi": "Vonal hozzáadása a jelenlegi alakzatcsoporthoz", + "Add a new property": "Új tulajdonság hozzáadása", + "Add a polygon to the current multi": "Sokszög hozzáadása a jelenlegi alakzatcsoporthoz", "Add symbol": "Szimbólum hozzáadása", + "Advanced actions": "Speciális műveletek", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Speciális tulajdonságok", + "Advanced transition": "Speciális áttűnés", + "All properties are imported.": "Minden tulajdonság importálva lett.", + "Allow interactions": "Interakció engedélyezése", "Allow scroll wheel zoom?": "Engedélyezi-e a görgetést nagyításkor?", + "An error occured": "Hiba történt", + "Are you sure you want to cancel your changes?": "Biztosan elveti a módosításait?", + "Are you sure you want to clone this map and all its datalayers?": "Biztosan klónozza a térképet és az összes adatrétegét?", + "Are you sure you want to delete the feature?": "Biztosan törölni szeretné ezt az objektumot?", + "Are you sure you want to delete this layer?": "Biztosan törölni szeretné ezt a réteget?", + "Are you sure you want to delete this map?": "Biztosan törölni szeretné ezt a térképet?", + "Are you sure you want to delete this property on all the features?": "Biztosan törölni szeretné ezt a tulajdonságot az összes objektumról?", + "Are you sure you want to restore this version?": "Biztosan ezt a változatot akarja helyreállítani?", + "Attach the map to my account": "Térkép csatolása a fiókomhoz", + "Auto": "Automatikus", "Automatic": "Automatikus", + "Autostart when map is loaded": "Automatikus indulás a térkép betöltése után", + "Background overlay url": "Background overlay url", "Ball": "Gombostű", + "Bring feature to center": "Objektum középre hozása", + "Browse data": "Adatok böngészése", + "Cache proxied request": "Proxy keresztül továbbított gyorsítótárkérés", "Cancel": "Mégse", + "Cancel edits": "Szerkesztések elvetése", "Caption": "Cím", + "Center map on your location": "A térkép közepének igazítása a saját pozícióhoz", + "Change map background": "Térkép hátterének módosítása", "Change symbol": "Szimbólum módosítása", + "Change tilelayers": "Mozaikrétegek módosítása", + "Choose a preset": "Előbeállítás kiválasztása", "Choose the data format": "Adatformátum kiválasztása", + "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", "Choose the layer of the feature": "Objektum rétegének kiválasztása", + "Choose the layer to import in": "Importálandó réteg kiválasztása", "Circle": "Kör", + "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", + "Click to add a marker": "Jelölő hozzáadásához kattintson", + "Click to continue drawing": "Kattintson a rajzolás folytatásához", + "Click to edit": "Kattintson a szerkesztéshez", + "Click to start drawing a line": "Kattintson egy vonal rajzolásához", + "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", + "Clone": "Klónozás", + "Clone of {name}": "{name} klónozása", + "Clone this feature": "Objektum klónozása", + "Clone this map": "Térkép klónozása", + "Close": "Bezárás", "Clustered": "Csoportosított", + "Clustering radius": "Csoportosítás sugara", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Tulajdonságok vesszővel elválasztott sora, amely objektumok szűrésére használható", + "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.": "Vesszővel, pontosvesszővel vagy tabulátorral elválasztott értékek a WGS84 referenciarendszer szerint. Csak a pontok pozíciója importálódik. Az import során az oszlopfejlécekben, a címsor kezdetén található „lat” és „long” említések vétetenek figyelembe; kis- vagy nagybetű nem számít. Az összes többi oszlop tulajdonságként importálódik.", + "Continue line": "Vonal folytatása", + "Continue line (Ctrl+Click)": "Vonal folytatása (Ctrl+Kattintás)", + "Coordinates": "Koordináták", + "Credits": "Alkotók", + "Current view instead of default map view?": "Használja-e a jelenlegi nézetet az alapértelmezett helyett?", + "Custom background": "Egyedi háttér", + "Custom overlay": "Custom overlay", "Data browser": "Adatböngésző", + "Data filters": "Data filters", + "Data is browsable": "Az adatok böngészhetők", "Default": "Alapértelmezett", + "Default interaction options": "Alapértelmezett interakciós beállítások", + "Default properties": "Alapértelmezett tulajdonságok", + "Default shape properties": "Alapértelmezett alakzattulajdonságok", "Default zoom level": "Alapértelmezett nagyítási szint", "Default: name": "Alapértelmezett: név", + "Define link to open in a new window on polygon click.": "Link meghatározása, amely megnyílik a sokszögre kattintva.", + "Delay between two transitions when in play mode": "Az áttűnések közötti késés lejátszási üzemmódban", + "Delete": "Törlés", + "Delete all layers": "Összes réteg törlése", + "Delete layer": "Réteg törlése", + "Delete this feature": "Objektum törlése", + "Delete this property on all the features": "Tulajdonság törlése az összes objektumról", + "Delete this shape": "Alakzat törlése", + "Delete this vertex (Alt+Click)": "Sarokpont törlése (Alt+Klikk)", + "Directions from here": "Irányok innen", + "Disable editing": "Szerkesztés befejezése", "Display label": "Felirat megjelenítése", + "Display measure": "Távolságmérő megjelenítése", + "Display on load": "Megjelenítés betöltéskor", "Display the control to open OpenStreetMap editor": "Az OpenStreetMap szerkesztő megnyitása vezérlő megjelenítése", "Display the data layers control": "Adatrétegek vezérlő megjelenítése", "Display the embed control": "Beágyazás vezérlő megjelenítése", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Szeretné megjeleníteni a címsávot?", "Do you want to display a minimap?": "Szeretne megjeleníteni egy kis térképet?", "Do you want to display a panel on load?": "Betöltéskor szeretne-e megjeleníteni egy panelt?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Szeretn-e megjeleníteni egy előugró láblécet?", "Do you want to display the scale control?": "Szeretné megjeleníteni a méretarány vezérlőt?", "Do you want to display the «more» control?": "Szeretné megjeleníteni a „továbbiak” vezérlőt?", - "Drop": "Csepp", - "GeoRSS (only link)": "GeoRSS (csak link)", - "GeoRSS (title + image)": "GeoRSS (cím + kép)", - "Heatmap": "Intenzitástérkép", - "Icon shape": "Ikon alakja", - "Icon symbol": "Ikonszimbólum", - "Inherit": "Öröklés", - "Label direction": "Felirat iránya", - "Label key": "Felirathoz használt kulcs", - "Labels are clickable": "Kattintható feliratok", - "None": "Semmi", - "On the bottom": "Lent", - "On the left": "Balra", - "On the right": "Jobbra", - "On the top": "Fent", - "Popup content template": "Előugró tartalom sablonja", - "Set symbol": "Szimbólum megadása", - "Side panel": "Oldalsó panel", - "Simplify": "Egyszerűsítés", - "Symbol or url": "Szimbólum vagy URL", - "Table": "Táblázat", - "always": "mindig", - "clear": "alaphelyzet", - "collapsed": "összecsukva", - "color": "szín", - "dash array": "Szaggatottság mintázata", - "define": "meghatározás", - "description": "leírás", - "expanded": "kiterjesztett", - "fill": "kitöltés", - "fill color": "kitöltés színe", - "fill opacity": "kitöltés átlátszósága", - "hidden": "rejtett", - "iframe": "iframe", - "inherit": "öröklés", - "name": "név", - "never": "soha", - "new window": "új ablak", - "no": "nincs", - "on hover": "rámutatáskor", - "opacity": "átlátszóság", - "parent window": "szülőablak", - "stroke": "körvonal", - "weight": "vastagság", - "yes": "igen", - "{delay} seconds": "{delay} másodperc", - "# one hash for main heading": "# egy számjel: fő címsor", - "## two hashes for second heading": "## két számjel: második címsor", - "### three hashes for third heading": "### három számjel: harmadik címsor", - "**double star for bold**": "**két csillag: félkövér**", - "*simple star for italic*": "*egy csillag: dőlt*", - "--- for an horizontal rule": "--- három kötőjel: vízszintes vonal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Vesszővel elválasztott számsor, amely meghatározza a szaggatott vonalak mintázatát. Például 5,10,15 Ha nem világos, próbálkozz!", - "About": "Névjegy", - "Action not allowed :(": "Nem engedélyezett művelet :(", - "Activate slideshow mode": "Diavetítésmód aktiválása", - "Add a layer": "Réteg hozzáadása", - "Add a line to the current multi": "Vonal hozzáadása a jelenlegi alakzatcsoporthoz", - "Add a new property": "Új tulajdonság hozzáadása", - "Add a polygon to the current multi": "Sokszög hozzáadása a jelenlegi alakzatcsoporthoz", - "Advanced actions": "Speciális műveletek", - "Advanced properties": "Speciális tulajdonságok", - "Advanced transition": "Speciális áttűnés", - "All properties are imported.": "Minden tulajdonság importálva lett.", - "Allow interactions": "Interakció engedélyezése", - "An error occured": "Hiba történt", - "Are you sure you want to cancel your changes?": "Biztosan elveti a módosításait?", - "Are you sure you want to clone this map and all its datalayers?": "Biztosan klónozza a térképet és az összes adatrétegét?", - "Are you sure you want to delete the feature?": "Biztosan törölni szeretné ezt az objektumot?", - "Are you sure you want to delete this layer?": "Biztosan törölni szeretné ezt a réteget?", - "Are you sure you want to delete this map?": "Biztosan törölni szeretné ezt a térképet?", - "Are you sure you want to delete this property on all the features?": "Biztosan törölni szeretné ezt a tulajdonságot az összes objektumról?", - "Are you sure you want to restore this version?": "Biztosan ezt a változatot akarja helyreállítani?", - "Attach the map to my account": "Térkép csatolása a fiókomhoz", - "Auto": "Automatikus", - "Autostart when map is loaded": "Automatikus indulás a térkép betöltése után", - "Bring feature to center": "Objektum középre hozása", - "Browse data": "Adatok böngészése", - "Cancel edits": "Szerkesztések elvetése", - "Center map on your location": "A térkép közepének igazítása a saját pozícióhoz", - "Change map background": "Térkép hátterének módosítása", - "Change tilelayers": "Mozaikrétegek módosítása", - "Choose a preset": "Előbeállítás kiválasztása", - "Choose the format of the data to import": "Importálandó adatok formátumának kiválasztása", - "Choose the layer to import in": "Importálandó réteg kiválasztása", - "Click last point to finish shape": "Az alakzat befejezéséhez kattintson az utolsó pontra", - "Click to add a marker": "Jelölő hozzáadásához kattintson", - "Click to continue drawing": "Kattintson a rajzolás folytatásához", - "Click to edit": "Kattintson a szerkesztéshez", - "Click to start drawing a line": "Kattintson egy vonal rajzolásához", - "Click to start drawing a polygon": "Kattintson egy sokszög rajzolásához", - "Clone": "Klónozás", - "Clone of {name}": "{name} klónozása", - "Clone this feature": "Objektum klónozása", - "Clone this map": "Térkép klónozása", - "Close": "Bezárás", - "Clustering radius": "Csoportosítás sugara", - "Comma separated list of properties to use when filtering features": "Tulajdonságok vesszővel elválasztott sora, amely objektumok szűrésére használható", - "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.": "Vesszővel, pontosvesszővel vagy tabulátorral elválasztott értékek a WGS84 referenciarendszer szerint. Csak a pontok pozíciója importálódik. Az import során az oszlopfejlécekben, a címsor kezdetén található „lat” és „long” említések vétetenek figyelembe; kis- vagy nagybetű nem számít. Az összes többi oszlop tulajdonságként importálódik.", - "Continue line": "Vonal folytatása", - "Continue line (Ctrl+Click)": "Vonal folytatása (Ctrl+Kattintás)", - "Coordinates": "Koordináták", - "Credits": "Alkotók", - "Current view instead of default map view?": "Használja-e a jelenlegi nézetet az alapértelmezett helyett?", - "Custom background": "Egyedi háttér", - "Data is browsable": "Az adatok böngészhetők", - "Default interaction options": "Alapértelmezett interakciós beállítások", - "Default properties": "Alapértelmezett tulajdonságok", - "Default shape properties": "Alapértelmezett alakzattulajdonságok", - "Define link to open in a new window on polygon click.": "Link meghatározása, amely megnyílik a sokszögre kattintva.", - "Delay between two transitions when in play mode": "Az áttűnések közötti késés lejátszási üzemmódban", - "Delete": "Törlés", - "Delete all layers": "Összes réteg törlése", - "Delete layer": "Réteg törlése", - "Delete this feature": "Objektum törlése", - "Delete this property on all the features": "Tulajdonság törlése az összes objektumról", - "Delete this shape": "Alakzat törlése", - "Delete this vertex (Alt+Click)": "Sarokpont törlése (Alt+Klikk)", - "Directions from here": "Irányok innen", - "Disable editing": "Szerkesztés befejezése", - "Display measure": "Távolságmérő megjelenítése", - "Display on load": "Megjelenítés betöltéskor", "Download": "Letöltés", "Download data": "Adatok letöltése", "Drag to reorder": "Az átrendezéshez húzza át", @@ -159,6 +125,7 @@ "Draw a marker": "Jelölő rajzolása", "Draw a polygon": "Sokszög rajzolása", "Draw a polyline": "Töröttvonal rajzolása", + "Drop": "Csepp", "Dynamic": "Dinamikus", "Dynamic properties": "Dinamikus tulajdonságok", "Edit": "Szerkesztés", @@ -172,23 +139,31 @@ "Embed the map": "Térkép beágyazása", "Empty": "Kiürítés", "Enable editing": "Szerkesztés engedélyezése", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Hiba a mozaikréteg URL-jében", "Error while fetching {url}": "Hiba történt e webcím beolvasásakor: {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Kilépés a teljes képernyős nézetből", "Extract shape to separate feature": "Alakzat kiemelése objektum széválasztásához", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Adatok beolvasása a térkép nézetének minden egyes változásánál.", "Filter keys": "Szűréshez használt kulcsok", "Filter…": "Szűrés…", "Format": "Formátum", "From zoom": "Ettől a nagyítási szinttől", "Full map data": "Minden térképadat", + "GeoRSS (only link)": "GeoRSS (csak link)", + "GeoRSS (title + image)": "GeoRSS (cím + kép)", "Go to «{feature}»": "Ugrás ide: «{feature}»", + "Heatmap": "Intenzitástérkép", "Heatmap intensity property": "Intenzitástérkép tulajdonságai", "Heatmap radius": "Intenzitástérkép sugara", "Help": "Súgó", "Hide controls": "Vezérlők elrejtése", "Home": "Kezdőlap", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Mennyire egyszerűsödjék egy töröttvonal az egyes nagyítási fokozatoknál (jobban = jobb teljesítmény és simább kinézet, kevésbé = nagyobb pontosság)", + "Icon shape": "Ikon alakja", + "Icon symbol": "Ikonszimbólum", "If false, the polygon will act as a part of the underlying map.": "Ha hamis, akkor a sokszög az alapját jelentő térkép részeként fog viselkedni.", "Iframe export options": "Iframe exportálási beállítások", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe egyedi magassággal (pixel): {{{http://iframe.url.com|magasság}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importálás új rétegbe", "Imports all umap data, including layers and settings.": "Minden uMap-adatot (többek között a rétegeket és a beállításokat is) importálja.", "Include full screen link?": "Tartalmazzon-e teljes képernyős nézetre vezető linket?", + "Inherit": "Öröklés", "Interaction options": "Interakció beállításai", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Érvénytelen uMap-adatok", "Invalid umap data in {filename}": "Érvénytelen uMap-adatok: {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "A jelenleg látható rétegek megtartása", + "Label direction": "Felirat iránya", + "Label key": "Felirathoz használt kulcs", + "Labels are clickable": "Kattintható feliratok", "Latitude": "Szélesség", "Layer": "Réteg", "Layer properties": "Réteg tulajdonságai", @@ -225,20 +206,39 @@ "Merge lines": "Vonalak egyesítése", "More controls": "További vezérlők", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Érvényes CSS-értéknek kell lennie (pl. DarkBlue vagy #123456)", + "No cache": "Nincs gyorsítótár", "No licence has been set": "Licenc még nincs megadva", "No results": "Nincs eredmény", + "No results for these filters": "No results for these filters", + "None": "Semmi", + "On the bottom": "Lent", + "On the left": "Balra", + "On the right": "Jobbra", + "On the top": "Fent", "Only visible features will be downloaded.": "Csak a látható objektumok lesznek letöltve.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Letöltési panel megnyitása", "Open link in…": "Link megnyitása itt:", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "A térképkivágás megnyitása egy térképszerkesztőben, hogy az OpenStreetMapbe pontosabb adatokat lehessen előállítani", "Optional intensity property for heatmap": "Intenzitástérkép nem kötelező tulajdonsága", + "Optional.": "Nem kötelező.", "Optional. Same as color if not set.": "Nem kötelező. Ha nincs beállítva, akkor ugyanaz, mint a szín.", "Override clustering radius (default 80)": "Csoportosítás sugarának felülírása (alapértelmezett: 80)", "Override heatmap radius (default 25)": "Intenzitástérkép sugarának felülírása (alapértelmezett: 25)", + "Paste your data here": "Illessze be ide az adatokat", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Győződjön meg róla, hogy a licenc megfelel a térkép felhasználásának.", "Please choose a format": "Válassza ki a formátumot", "Please enter the name of the property": "Adja meg a tulajdonság nevét", "Please enter the new name of this property": "Adja meg a tulajdonság új nevét", + "Please save the map first": "Először mentse a térképet", + "Popup": "Felugró", + "Popup (large)": "Felugró (nagy)", + "Popup content style": "Felugró tartalom stílusa", + "Popup content template": "Előugró tartalom sablonja", + "Popup shape": "Felugró ablak alakja", "Powered by Leaflet and Django, glued by uMap project.": "Technológia: Leaflet és Django, összeállító: uMap projekt.", "Problem in the response": "Hiba a válaszban", "Problem in the response format": "Hiba a válasz formátumában", @@ -262,12 +262,17 @@ "See all": "Összes megtekintése", "See data layers": "Adatrétegek megtekintése", "See full screen": "Teljes képernyős nézet megtekintése", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Állítsa hamisra, hogy elrejtse ezt a réteget a diavetítésből, az adatböngészőből, az előugró navigációból stb.", + "Set symbol": "Szimbólum megadása", "Shape properties": "Alakzat tulajdonságai", "Short URL": "Rövid URL", "Short credits": "Alkotók röviden", "Show/hide layer": "Réteg megjelenítése/elrejtése", + "Side panel": "Oldalsó panel", "Simple link: [[http://example.com]]": "Egyszerű link: [[http://pelda.hu]]", + "Simplify": "Egyszerűsítés", + "Skipping unknown geometry.type: {type}": "Ismeretlen ({type}) geometriai típus kihagyása", "Slideshow": "Diavetítés", "Smart transitions": "Intelligens áttűnések", "Sort key": "Sorba rendezéshez használt kulcs", @@ -280,10 +285,13 @@ "Supported scheme": "Támogatott séma", "Supported variables that will be dynamically replaced": "Támogatott változók, amelyek dinamikusan behelyettesítődnek", "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.": "A szimbólum egy unicode karakter vagy egy URL lehet. Az objektum tulajdonságai változóként használhatók. Például „http://myserver.org/images/{name}.png” használatánál az egyes jelölők „name” értékei behelyettesítődnek {name} változó helyén.", + "Symbol or url": "Szimbólum vagy URL", "TMS format": "TMS-formátum", + "Table": "Táblázat", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "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", @@ -310,6 +318,7 @@ "Who can edit": "Ki szerkesztheti?", "Who can view": "Ki láthatja?", "Will be displayed in the bottom right corner of the map": "A térkép jobb alsó sarkában fog megjelenni", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "A térkép címsávjában fog megjelenni", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ajjaj… Úgy tűnik, időközben valaki más is szerkesztette az adatokat. Ennek ellenére elmentheti őket, de ezzel az időközben mások által végzett módosítások el fognak veszni.", "You have unsaved changes.": "Vannak még nem mentett változtatásai.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Nagyítás az előzőre", "Zoom to this feature": "Nagyítás erre az objektumra", "Zoom to this place": "Nagyítás erre a helyre", + "always": "mindig", "attribution": "szerzőmegjelölés", "by": "- készítette:", + "clear": "alaphelyzet", + "collapsed": "összecsukva", + "color": "szín", + "dash array": "Szaggatottság mintázata", + "define": "meghatározás", + "description": "leírás", "display name": "név megjelenítése", + "expanded": "kiterjesztett", + "fill": "kitöltés", + "fill color": "kitöltés színe", + "fill opacity": "kitöltés átlátszósága", "height": "magasság", + "hidden": "rejtett", + "iframe": "iframe", + "inherit": "öröklés", "licence": "licenc", "max East": "keletre eddig", "max North": "északra eddig", @@ -332,10 +355,21 @@ "max West": "nyugatra eddig", "max zoom": "legnagyobb nagyítás", "min zoom": "legkisebb nagyítás", + "name": "név", + "never": "soha", + "new window": "új ablak", "next": "következő", + "no": "nincs", + "on hover": "rámutatáskor", + "opacity": "átlátszóság", + "parent window": "szülőablak", "previous": "előző", + "stroke": "körvonal", + "weight": "vastagság", "width": "szélesség", + "yes": "igen", "{count} errors during import: {message}": "{count} hiba történt az importálás közben: {message}", + "{delay} seconds": "{delay} másodperc", "Measure distances": "Távolságmérés", "NM": "tengeri mérföld", "kilometers": "kilométer", @@ -343,43 +377,14 @@ "mi": "mérföld", "miles": "mérföld", "nautical miles": "tengeri mérföld", - "{area} acres": "{area} acre", - "{area} ha": "{area} hektár", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mérföld²", - "{area} yd²": "{area} yard²", - "{distance} NM": "{distance} tengeri mérföld", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} mérföld", - "{distance} yd": "{distance} yard", - "1 day": "1 nap", - "1 hour": "1 óra", - "5 min": "5 perc", - "Cache proxied request": "Proxy keresztül továbbított gyorsítótárkérés", - "No cache": "Nincs gyorsítótár", - "Popup": "Felugró", - "Popup (large)": "Felugró (nagy)", - "Popup content style": "Felugró tartalom stílusa", - "Popup shape": "Felugró ablak alakja", - "Skipping unknown geometry.type: {type}": "Ismeretlen ({type}) geometriai típus kihagyása", - "Optional.": "Nem kötelező.", - "Paste your data here": "Illessze be ide az adatokat", - "Please save the map first": "Először mentse a térképet", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acre", + "{area} ha": "{area} hektár", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mérföld²", + "{area} yd²": "{area} yard²", + "{distance} NM": "{distance} tengeri mérföld", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} mérföld", + "{distance} yd": "{distance} yard" } \ No newline at end of file diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 9e0af37c..10f423f6 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("id", locale); L.setLocale("id"); \ No newline at end of file diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index e9b6d16a..dd861e11 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# eitt myllumerki fyrir aðalfyrirsögn", + "## two hashes for second heading": "## tvö myllumerki fyrir aðra fyrirsögn", + "### three hashes for third heading": "### þrjú myllumerki fyrir þriðju fyrirsögn", + "**double star for bold**": "**tvöföld stjarna/margföldun fyrir feitletrað**", + "*simple star for italic*": "*einföld stjarna/margföldun fyrir skáletrað*", + "--- for an horizontal rule": "--- gefur lárétta mælistiku", + "1 day": "1 dagur", + "1 hour": "1 klukkustund", + "5 min": "5 mín", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Kommu-aðgreindur listi með tölum sem skilgreina strikamynstur. Til dæmis: \"5, 10, 15\".", + "About": "Um hugbúnaðinn", + "Action not allowed :(": "Þessi aðgerð er ekki leyfð :(", + "Activate slideshow mode": "Virkja skyggnusýningarham", + "Add a layer": "Bæta við lagi", + "Add a line to the current multi": "Bæta línu við fyrirliggjandi hóp", + "Add a new property": "Bæta við nýju eigindi", + "Add a polygon to the current multi": "Bæta marghyrningi við fyrirliggjandi hóp", "Add symbol": "Bæta við tákni", + "Advanced actions": "Ítarlegri aðgerðir", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Ítarlegir eiginleikar", + "Advanced transition": "Ítarleg millifærsla", + "All properties are imported.": "Öll eigindi voru flutt inn.", + "Allow interactions": "Leyfa gagnvirkni", "Allow scroll wheel zoom?": "Leyfa aðdrátt með skrunhjóli?", + "An error occured": "Villa kom upp", + "Are you sure you want to cancel your changes?": "Ertu viss um að þú viljir hætta við breytingarnar þínar?", + "Are you sure you want to clone this map and all its datalayers?": "Ertu viss um að þú viljir klóna þetta kort og öll gagnalög þess?", + "Are you sure you want to delete the feature?": "Ertu viss um að þú viljir eyða fitjunni?", + "Are you sure you want to delete this layer?": "Ertu viss um að þú viljir eyða þessu lagi?", + "Are you sure you want to delete this map?": "Ertu viss um að þú viljir eyða þessu korti?", + "Are you sure you want to delete this property on all the features?": "Ertu viss um að þú viljir eyða þessu eigindi á öllum fitjum?", + "Are you sure you want to restore this version?": "Ertu viss um að vilja endurheimta þessa útgáfu?", + "Attach the map to my account": "Tengja kortið við notandaaðganginn minn", + "Auto": "Sjálfvirkt", "Automatic": "Sjálfvirkt", + "Autostart when map is loaded": "Sjálfræsa þegar korti er hlaðið inn", + "Background overlay url": "Background overlay url", "Ball": "Kúla", + "Bring feature to center": "Færa fitju að miðju", + "Browse data": "Skoða gögn", + "Cache proxied request": "Setja milliþjónabeiðnir í skyndiminni", "Cancel": "Hætta við", + "Cancel edits": "Hætta við breytingar", "Caption": "Skýringatexti", + "Center map on your location": "Miðjusetja kortið á staðsetningu þína", + "Change map background": "Breyta bakgrunni landakorts", "Change symbol": "Skipta um tákn", + "Change tilelayers": "Skipta um kortatíglalög", + "Choose a preset": "Veldu forstillingu", "Choose the data format": "Veldu gagnasnið", + "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer of the feature": "Veldu lagið með fitjunni", + "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Circle": "Hringur", + "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", + "Click to add a marker": "Smella til að bæta við kortamerki", + "Click to continue drawing": "Smelltu til að halda áfram að teikna", + "Click to edit": "Smelltu til að breyta", + "Click to start drawing a line": "Smelltu til að byrja að teikna línu", + "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", + "Clone": "Klóna", + "Clone of {name}": "Klónað afrit af {name}", + "Clone this feature": "Klóna þessa fitju", + "Clone this map": "Klóna þetta landakort", + "Close": "Loka", "Clustered": "Í klösum", + "Clustering radius": "Radíus klasa", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kommu-aðgreindur listi yfir eigindi sem notaður er við síun fitja", + "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.": "Gildi aðgreind með kommu, dálkmerki (tab) eða semíkommu. Miðað við SRS hnattviðmið WGS84. Einungis punktalaganir (geometries) eru fluttar inn. Við innflutning er skoðað í fyrirsögnum dálka hvort minnst sé á «lat» eða «lon» í byrjun fyrirsagna, óháð há-/lágstöfum. Allir aðrir dálkar eru fluttir inn sem eigindi.", + "Continue line": "Halda áfram með línu", + "Continue line (Ctrl+Click)": "Halda áfram með línu (Ctrl+Smella)", + "Coordinates": "Hnit", + "Credits": "Framlög", + "Current view instead of default map view?": "Fyrirliggjandi sýn í stað sjálfgefinnar kortasýnar?", + "Custom background": "Sérsniðinn bakgrunnur", + "Custom overlay": "Custom overlay", "Data browser": "Gagnavafri", + "Data filters": "Data filters", + "Data is browsable": "Gögn eru vafranleg", "Default": "Sjálfgefið", + "Default interaction options": "Sjálfgefnir valkostir gagnvirkni", + "Default properties": "Sjálfgefnir eiginleikar", + "Default shape properties": "Sjálfgefnir eiginleikar lögunar", "Default zoom level": "Sjálfgefið aðdráttarstig", "Default: name": "Sjálfgefið: nafn", + "Define link to open in a new window on polygon click.": "Skilgreindu tengil til að opna í nýjum glugga þegar smellt er á marghyrning.", + "Delay between two transitions when in play mode": "Hlé milli tveggja millifærslna í afspilunarham", + "Delete": "Eyða", + "Delete all layers": "Eyða öllum lögum", + "Delete layer": "Eyða lagi", + "Delete this feature": "Eyða þessari fitju", + "Delete this property on all the features": "Eyða þessu eigindi á öllum fitjum", + "Delete this shape": "Eyða þessari lögun", + "Delete this vertex (Alt+Click)": "Eyða þessum brotpunkti (Alt+Smella)", + "Directions from here": "Leiðir héðan", + "Disable editing": "Gera breytingar óvirkar", "Display label": "Birta skýringu", + "Display measure": "Birta lengdarmæli", + "Display on load": "Birta við innhleðslu", "Display the control to open OpenStreetMap editor": "Birta hnapp til að opna OpenStreetMap-ritill", "Display the data layers control": "Birta hnapp fyrir gagnalög", "Display the embed control": "Birta hnapp fyrir ígræðslukóða", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Viltu birta skjástiku með skýringatexta?", "Do you want to display a minimap?": "Viltu birta yfirlitskort?", "Do you want to display a panel on load?": "Viltu birta hliðarspjald við innhleðslu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Viltu birta síðufót sem sprettglugga?", "Do you want to display the scale control?": "Viltu birta kvarðahnapp?", "Do you want to display the «more» control?": "Viltu birta hnapp fyrir «meira»?", - "Drop": "Dropi", - "GeoRSS (only link)": "GeoRSS (aðeins tengill)", - "GeoRSS (title + image)": "GeoRSS (titill + mynd)", - "Heatmap": "Hitakort", - "Icon shape": "Lögun Táknmyndar", - "Icon symbol": "Myndtákn", - "Inherit": "Erfa", - "Label direction": "Stefna skýringar", - "Label key": "Lykill skýringar", - "Labels are clickable": "Hægt er að smella á skýringar", - "None": "Ekkert", - "On the bottom": "Neðst", - "On the left": "Vinstra megin", - "On the right": "Hægra megin", - "On the top": "Efst", - "Popup content template": "Sniðmát efnis í sprettglugga", - "Set symbol": "Setja tákn", - "Side panel": "Hliðarspjald", - "Simplify": "Einfalda", - "Symbol or url": "Tákn eða slóð", - "Table": "Tafla", - "always": "alltaf", - "clear": "hreinsa", - "collapsed": "samfallið", - "color": "litur", - "dash array": "strikafylki", - "define": "skilgreina", - "description": "lýsing", - "expanded": "útliðað", - "fill": "fylling", - "fill color": "fyllilitur", - "fill opacity": "ógegnsæi fyllingar", - "hidden": "falið", - "iframe": "iFrame", - "inherit": "erfa", - "name": "heiti", - "never": "aldrei", - "new window": "nýr gluggi", - "no": "nei", - "on hover": "við yfirsvif", - "opacity": "ógegnsæi", - "parent window": "yfirgluggi", - "stroke": "strik", - "weight": "þykkt", - "yes": "já", - "{delay} seconds": "{delay} sekúndur", - "# one hash for main heading": "# eitt myllumerki fyrir aðalfyrirsögn", - "## two hashes for second heading": "## tvö myllumerki fyrir aðra fyrirsögn", - "### three hashes for third heading": "### þrjú myllumerki fyrir þriðju fyrirsögn", - "**double star for bold**": "**tvöföld stjarna/margföldun fyrir feitletrað**", - "*simple star for italic*": "*einföld stjarna/margföldun fyrir skáletrað*", - "--- for an horizontal rule": "--- gefur lárétta mælistiku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Kommu-aðgreindur listi með tölum sem skilgreina strikamynstur. Til dæmis: \"5, 10, 15\".", - "About": "Um hugbúnaðinn", - "Action not allowed :(": "Þessi aðgerð er ekki leyfð :(", - "Activate slideshow mode": "Virkja skyggnusýningarham", - "Add a layer": "Bæta við lagi", - "Add a line to the current multi": "Bæta línu við fyrirliggjandi hóp", - "Add a new property": "Bæta við nýju eigindi", - "Add a polygon to the current multi": "Bæta marghyrningi við fyrirliggjandi hóp", - "Advanced actions": "Ítarlegri aðgerðir", - "Advanced properties": "Ítarlegir eiginleikar", - "Advanced transition": "Ítarleg millifærsla", - "All properties are imported.": "Öll eigindi voru flutt inn.", - "Allow interactions": "Leyfa gagnvirkni", - "An error occured": "Villa kom upp", - "Are you sure you want to cancel your changes?": "Ertu viss um að þú viljir hætta við breytingarnar þínar?", - "Are you sure you want to clone this map and all its datalayers?": "Ertu viss um að þú viljir klóna þetta kort og öll gagnalög þess?", - "Are you sure you want to delete the feature?": "Ertu viss um að þú viljir eyða fitjunni?", - "Are you sure you want to delete this layer?": "Ertu viss um að þú viljir eyða þessu lagi?", - "Are you sure you want to delete this map?": "Ertu viss um að þú viljir eyða þessu korti?", - "Are you sure you want to delete this property on all the features?": "Ertu viss um að þú viljir eyða þessu eigindi á öllum fitjum?", - "Are you sure you want to restore this version?": "Ertu viss um að vilja endurheimta þessa útgáfu?", - "Attach the map to my account": "Tengja kortið við notandaaðganginn minn", - "Auto": "Sjálfvirkt", - "Autostart when map is loaded": "Sjálfræsa þegar korti er hlaðið inn", - "Bring feature to center": "Færa fitju að miðju", - "Browse data": "Skoða gögn", - "Cancel edits": "Hætta við breytingar", - "Center map on your location": "Miðjusetja kortið á staðsetningu þína", - "Change map background": "Breyta bakgrunni landakorts", - "Change tilelayers": "Skipta um kortatíglalög", - "Choose a preset": "Veldu forstillingu", - "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", - "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing": "Smelltu til að halda áfram að teikna", - "Click to edit": "Smelltu til að breyta", - "Click to start drawing a line": "Smelltu til að byrja að teikna línu", - "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", - "Clone": "Klóna", - "Clone of {name}": "Klónað afrit af {name}", - "Clone this feature": "Klóna þessa fitju", - "Clone this map": "Klóna þetta landakort", - "Close": "Loka", - "Clustering radius": "Radíus klasa", - "Comma separated list of properties to use when filtering features": "Kommu-aðgreindur listi yfir eigindi sem notaður er við síun fitja", - "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.": "Gildi aðgreind með kommu, dálkmerki (tab) eða semíkommu. Miðað við SRS hnattviðmið WGS84. Einungis punktalaganir (geometries) eru fluttar inn. Við innflutning er skoðað í fyrirsögnum dálka hvort minnst sé á «lat» eða «lon» í byrjun fyrirsagna, óháð há-/lágstöfum. Allir aðrir dálkar eru fluttir inn sem eigindi.", - "Continue line": "Halda áfram með línu", - "Continue line (Ctrl+Click)": "Halda áfram með línu (Ctrl+Smella)", - "Coordinates": "Hnit", - "Credits": "Framlög", - "Current view instead of default map view?": "Fyrirliggjandi sýn í stað sjálfgefinnar kortasýnar?", - "Custom background": "Sérsniðinn bakgrunnur", - "Data is browsable": "Gögn eru vafranleg", - "Default interaction options": "Sjálfgefnir valkostir gagnvirkni", - "Default properties": "Sjálfgefnir eiginleikar", - "Default shape properties": "Sjálfgefnir eiginleikar lögunar", - "Define link to open in a new window on polygon click.": "Skilgreindu tengil til að opna í nýjum glugga þegar smellt er á marghyrning.", - "Delay between two transitions when in play mode": "Hlé milli tveggja millifærslna í afspilunarham", - "Delete": "Eyða", - "Delete all layers": "Eyða öllum lögum", - "Delete layer": "Eyða lagi", - "Delete this feature": "Eyða þessari fitju", - "Delete this property on all the features": "Eyða þessu eigindi á öllum fitjum", - "Delete this shape": "Eyða þessari lögun", - "Delete this vertex (Alt+Click)": "Eyða þessum brotpunkti (Alt+Smella)", - "Directions from here": "Leiðir héðan", - "Disable editing": "Gera breytingar óvirkar", - "Display measure": "Birta lengdarmæli", - "Display on load": "Birta við innhleðslu", "Download": "Sækja", "Download data": "Sækja gögn", "Drag to reorder": "Draga til að endurraða", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Teikna kortamerki", "Draw a polygon": "Teikna fláka (marghyrning)", "Draw a polyline": "Teikna fjölpunktalínu (polyline)", + "Drop": "Dropi", "Dynamic": "Breytilegt", "Dynamic properties": "Breytilegir eiginleikar", "Edit": "Breyta", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Setja landakortið inn á vefsíðu", "Empty": "Tómt", "Enable editing": "Virkja breytingar", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Villa í slóð kortatíglalags", "Error while fetching {url}": "Villa við að sækja {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Hætta í skjáfylli", "Extract shape to separate feature": "Flytja lögun í aðskilda fitju", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Sækja gögn í hvert skipti sem kortasýn breytist", "Filter keys": "Sía lykla", "Filter…": "Sía…", "Format": "Snið", "From zoom": "Frá aðdráttarstigi", "Full map data": "Öll kortagögn", + "GeoRSS (only link)": "GeoRSS (aðeins tengill)", + "GeoRSS (title + image)": "GeoRSS (titill + mynd)", "Go to «{feature}»": "Fara á «{feature}»", + "Heatmap": "Hitakort", "Heatmap intensity property": "Styrkeigindi fyrir hitakort", "Heatmap radius": "Radíus hitakorts", "Help": "Hjálp", "Hide controls": "Fela hnappa", "Home": "Heim", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hve mikið eigi að einfalda fjölpunktalínu á hverju aðdráttarstigi (meira = betri afköst og mýkra útlit, minna = nákvæmara)", + "Icon shape": "Lögun Táknmyndar", + "Icon symbol": "Myndtákn", "If false, the polygon will act as a part of the underlying map.": "Ef þetta er ósatt, mun marghyrningurinn verða hluti af undirliggjandi korti.", "Iframe export options": "Útflutningsvalkostir Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe með sérsniðinni hæð (í mynddílum/px): {{{http://iframe.url.com|hæð}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Flytja inn í nýtt lag", "Imports all umap data, including layers and settings.": "Flytur inn öll umap-gögn, þar með talin lög og stillingar.", "Include full screen link?": "Hafa með tengil á að fylla skjá?", + "Inherit": "Erfa", "Interaction options": "Valkostir gagnvirkni", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ógild umap-gögn", "Invalid umap data in {filename}": "Ógild umap-gögn í {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Halda fyrirliggjandi sýnilegum lögum", + "Label direction": "Stefna skýringar", + "Label key": "Lykill skýringar", + "Labels are clickable": "Hægt er að smella á skýringar", "Latitude": "Breiddargráða", "Layer": "Lag", "Layer properties": "Eiginleikar lags", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Sameina línur", "More controls": "Fleiri hnappar", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Verður að vera gilt CSS-gildi (t.d.: DarkBlue eða #123456)", + "No cache": "Ekkert biðminni", "No licence has been set": "Ekkert notkunarleyfi hefur verið sett", "No results": "Engar niðurstöður", + "No results for these filters": "No results for these filters", + "None": "Ekkert", + "On the bottom": "Neðst", + "On the left": "Vinstra megin", + "On the right": "Hægra megin", + "On the top": "Efst", "Only visible features will be downloaded.": "Aðeins verður náð í sýnilegar fitjur.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Opna niðurhalsspjald", "Open link in…": "Opna tengil í…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Opna umfang þessa korts í kortavinnsluforriti til að gefa nákvæmari kortagögn til OpenStreetMap", "Optional intensity property for heatmap": "Valfrjálst styrkeigindi fyrir hitakort", + "Optional.": "Valfrjálst.", "Optional. Same as color if not set.": "Valfrjálst. Sama og litur ef ekkert er skilgreint.", "Override clustering radius (default 80)": "Nota annan radíus klösunar (sjálfgefið 80)", "Override heatmap radius (default 25)": "Nota annan radíus hitakorts (sjálfgefið 25)", + "Paste your data here": "Límdu gögnin þín hér", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Gakktu úr skugga um að notkunarleyfið samsvari notkunasviði þínu.", "Please choose a format": "Veldu snið", "Please enter the name of the property": "Settu inn heiti á eigindið", "Please enter the new name of this property": "Settu inn nýja heitið á þetta eigindi", + "Please save the map first": "Vistaðu fyrst kortið", + "Popup": "Sprettgluggi", + "Popup (large)": "Sprettgluggi (stór)", + "Popup content style": "Stíll efnis í sprettglugga", + "Popup content template": "Sniðmát efnis í sprettglugga", + "Popup shape": "Lögun sprettglugga", "Powered by Leaflet and Django, glued by uMap project.": "Keyrt með Leaflet og Django, límt saman af uMap verkefninu.", "Problem in the response": "Vandamál í svarinu", "Problem in the response format": "Vandamál með snið svarsins", @@ -262,12 +262,17 @@ var locale = { "See all": "Sjá allt", "See data layers": "Skoða gagnalög", "See full screen": "Fylla skjáinn", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Settu þetta sem ósatt til að fela þetta lag úr skyggnusýningu, gagnavafranum, sprettleiðsögn…", + "Set symbol": "Setja tákn", "Shape properties": "Eiginleikar lögunar", "Short URL": "Stytt slóð", "Short credits": "Stutt um framlög", "Show/hide layer": "Birta/Fela lag", + "Side panel": "Hliðarspjald", "Simple link: [[http://example.com]]": "Einfaldur tengill: [[http://example.com]]", + "Simplify": "Einfalda", + "Skipping unknown geometry.type: {type}": "Sleppi óþekktu geometry.type: {type}", "Slideshow": "Skyggnusýning", "Smart transitions": "Snjallar millifærslur", "Sort key": "Röðunarlykill", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Stutt skema", "Supported variables that will be dynamically replaced": "Studdar breytur sem verður skipt út eftir þörfum", "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.": "Tákn getur verið annað hvort unicode-stafur eða URL-slóð. Þú getur haft eigindi fitja sem breytur: t.d.: með \"http://mittlén.org/myndir/{nafn}.png\", verður breytunni {nafn} skipt út fyrir gildið \"nafn\" í eigindum hvers merkis.", + "Symbol or url": "Tákn eða slóð", "TMS format": "TMS-snið", + "Table": "Tafla", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Nota ef fjartengdur þjónn leyfir ekki millivísanir léna (hægvirkara)", "To zoom": "Í aðdrátt", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Hverjir geta breytt", "Who can view": "Hverjir geta skoðað", "Will be displayed in the bottom right corner of the map": "Verður birt niðri í hægra horni kortsins", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Verður sýnilegt í skýringatexta kortsins", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Úbbs! Það lítur út fyrir að einhver annar hafi breytt gögnunum. Þú getur samt vistað, en það mun hreinsa út breytingarnar sem hinn aðilinn gerði.", "You have unsaved changes.": "Það eru óvistaðar breytingar.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Aðdráttur á fyrra", "Zoom to this feature": "Aðdráttur að þessari fitju", "Zoom to this place": "Aðdráttur á þennan stað", + "always": "alltaf", "attribution": "tilvísun í höfund/a", "by": "eftir", + "clear": "hreinsa", + "collapsed": "samfallið", + "color": "litur", + "dash array": "strikafylki", + "define": "skilgreina", + "description": "lýsing", "display name": "birtingarnafn", + "expanded": "útliðað", + "fill": "fylling", + "fill color": "fyllilitur", + "fill opacity": "ógegnsæi fyllingar", "height": "hæð", + "hidden": "falið", + "iframe": "iFrame", + "inherit": "erfa", "licence": "notkunarleyfi", "max East": "Hám. austur", "max North": "Hám. norður", @@ -332,10 +355,21 @@ var locale = { "max West": "Hám. vestur", "max zoom": "Hám. aðdráttur", "min zoom": "lágm. aðdráttur", + "name": "heiti", + "never": "aldrei", + "new window": "nýr gluggi", "next": "næsta", + "no": "nei", + "on hover": "við yfirsvif", + "opacity": "ógegnsæi", + "parent window": "yfirgluggi", "previous": "fyrra", + "stroke": "strik", + "weight": "þykkt", "width": "breidd", + "yes": "já", "{count} errors during import: {message}": "{count} villur við innflutning: {message}", + "{delay} seconds": "{delay} sekúndur", "Measure distances": "Mæla vegalengdir", "NM": "Sjómílur", "kilometers": "kílómetrar", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "mílur", "nautical miles": "sjómílur", - "{area} acres": "{area} ekrur", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mi²", - "{area} yd²": "{area} yd²", - "{distance} NM": "{distance} sjómílur", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} mílur", - "{distance} yd": "{distance} yd", - "1 day": "1 dagur", - "1 hour": "1 klukkustund", - "5 min": "5 mín", - "Cache proxied request": "Setja milliþjónabeiðnir í skyndiminni", - "No cache": "Ekkert biðminni", - "Popup": "Sprettgluggi", - "Popup (large)": "Sprettgluggi (stór)", - "Popup content style": "Stíll efnis í sprettglugga", - "Popup shape": "Lögun sprettglugga", - "Skipping unknown geometry.type: {type}": "Sleppi óþekktu geometry.type: {type}", - "Optional.": "Valfrjálst.", - "Paste your data here": "Límdu gögnin þín hér", - "Please save the map first": "Vistaðu fyrst kortið", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} ekrur", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mi²", + "{area} yd²": "{area} yd²", + "{distance} NM": "{distance} sjómílur", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} mílur", + "{distance} yd": "{distance} yd" }; L.registerLocale("is", locale); L.setLocale("is"); \ No newline at end of file diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index df0a4e23..bd1340b5 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# eitt myllumerki fyrir aðalfyrirsögn", + "## two hashes for second heading": "## tvö myllumerki fyrir aðra fyrirsögn", + "### three hashes for third heading": "### þrjú myllumerki fyrir þriðju fyrirsögn", + "**double star for bold**": "**tvöföld stjarna/margföldun fyrir feitletrað**", + "*simple star for italic*": "*einföld stjarna/margföldun fyrir skáletrað*", + "--- for an horizontal rule": "--- gefur lárétta mælistiku", + "1 day": "1 dagur", + "1 hour": "1 klukkustund", + "5 min": "5 mín", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Kommu-aðgreindur listi með tölum sem skilgreina strikamynstur. Til dæmis: \"5, 10, 15\".", + "About": "Um hugbúnaðinn", + "Action not allowed :(": "Þessi aðgerð er ekki leyfð :(", + "Activate slideshow mode": "Virkja skyggnusýningarham", + "Add a layer": "Bæta við lagi", + "Add a line to the current multi": "Bæta línu við fyrirliggjandi hóp", + "Add a new property": "Bæta við nýju eigindi", + "Add a polygon to the current multi": "Bæta marghyrningi við fyrirliggjandi hóp", "Add symbol": "Bæta við tákni", + "Advanced actions": "Ítarlegri aðgerðir", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Ítarlegir eiginleikar", + "Advanced transition": "Ítarleg millifærsla", + "All properties are imported.": "Öll eigindi voru flutt inn.", + "Allow interactions": "Leyfa gagnvirkni", "Allow scroll wheel zoom?": "Leyfa aðdrátt með skrunhjóli?", + "An error occured": "Villa kom upp", + "Are you sure you want to cancel your changes?": "Ertu viss um að þú viljir hætta við breytingarnar þínar?", + "Are you sure you want to clone this map and all its datalayers?": "Ertu viss um að þú viljir klóna þetta kort og öll gagnalög þess?", + "Are you sure you want to delete the feature?": "Ertu viss um að þú viljir eyða fitjunni?", + "Are you sure you want to delete this layer?": "Ertu viss um að þú viljir eyða þessu lagi?", + "Are you sure you want to delete this map?": "Ertu viss um að þú viljir eyða þessu korti?", + "Are you sure you want to delete this property on all the features?": "Ertu viss um að þú viljir eyða þessu eigindi á öllum fitjum?", + "Are you sure you want to restore this version?": "Ertu viss um að vilja endurheimta þessa útgáfu?", + "Attach the map to my account": "Tengja kortið við notandaaðganginn minn", + "Auto": "Sjálfvirkt", "Automatic": "Sjálfvirkt", + "Autostart when map is loaded": "Sjálfræsa þegar korti er hlaðið inn", + "Background overlay url": "Background overlay url", "Ball": "Kúla", + "Bring feature to center": "Færa fitju að miðju", + "Browse data": "Skoða gögn", + "Cache proxied request": "Setja milliþjónabeiðnir í skyndiminni", "Cancel": "Hætta við", + "Cancel edits": "Hætta við breytingar", "Caption": "Skýringatexti", + "Center map on your location": "Miðjusetja kortið á staðsetningu þína", + "Change map background": "Breyta bakgrunni landakorts", "Change symbol": "Skipta um tákn", + "Change tilelayers": "Skipta um kortatíglalög", + "Choose a preset": "Veldu forstillingu", "Choose the data format": "Veldu gagnasnið", + "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", "Choose the layer of the feature": "Veldu lagið með fitjunni", + "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", "Circle": "Hringur", + "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", + "Click to add a marker": "Smella til að bæta við kortamerki", + "Click to continue drawing": "Smelltu til að halda áfram að teikna", + "Click to edit": "Smelltu til að breyta", + "Click to start drawing a line": "Smelltu til að byrja að teikna línu", + "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", + "Clone": "Klóna", + "Clone of {name}": "Klónað afrit af {name}", + "Clone this feature": "Klóna þessa fitju", + "Clone this map": "Klóna þetta landakort", + "Close": "Loka", "Clustered": "Í klösum", + "Clustering radius": "Radíus klasa", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kommu-aðgreindur listi yfir eigindi sem notaður er við síun fitja", + "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.": "Gildi aðgreind með kommu, dálkmerki (tab) eða semíkommu. Miðað við SRS hnattviðmið WGS84. Einungis punktalaganir (geometries) eru fluttar inn. Við innflutning er skoðað í fyrirsögnum dálka hvort minnst sé á «lat» eða «lon» í byrjun fyrirsagna, óháð há-/lágstöfum. Allir aðrir dálkar eru fluttir inn sem eigindi.", + "Continue line": "Halda áfram með línu", + "Continue line (Ctrl+Click)": "Halda áfram með línu (Ctrl+Smella)", + "Coordinates": "Hnit", + "Credits": "Framlög", + "Current view instead of default map view?": "Fyrirliggjandi sýn í stað sjálfgefinnar kortasýnar?", + "Custom background": "Sérsniðinn bakgrunnur", + "Custom overlay": "Custom overlay", "Data browser": "Gagnavafri", + "Data filters": "Data filters", + "Data is browsable": "Gögn eru vafranleg", "Default": "Sjálfgefið", + "Default interaction options": "Sjálfgefnir valkostir gagnvirkni", + "Default properties": "Sjálfgefnir eiginleikar", + "Default shape properties": "Sjálfgefnir eiginleikar lögunar", "Default zoom level": "Sjálfgefið aðdráttarstig", "Default: name": "Sjálfgefið: nafn", + "Define link to open in a new window on polygon click.": "Skilgreindu tengil til að opna í nýjum glugga þegar smellt er á marghyrning.", + "Delay between two transitions when in play mode": "Hlé milli tveggja millifærslna í afspilunarham", + "Delete": "Eyða", + "Delete all layers": "Eyða öllum lögum", + "Delete layer": "Eyða lagi", + "Delete this feature": "Eyða þessari fitju", + "Delete this property on all the features": "Eyða þessu eigindi á öllum fitjum", + "Delete this shape": "Eyða þessari lögun", + "Delete this vertex (Alt+Click)": "Eyða þessum brotpunkti (Alt+Smella)", + "Directions from here": "Leiðir héðan", + "Disable editing": "Gera breytingar óvirkar", "Display label": "Birta skýringu", + "Display measure": "Birta lengdarmæli", + "Display on load": "Birta við innhleðslu", "Display the control to open OpenStreetMap editor": "Birta hnapp til að opna OpenStreetMap-ritill", "Display the data layers control": "Birta hnapp fyrir gagnalög", "Display the embed control": "Birta hnapp fyrir ígræðslukóða", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Viltu birta skjástiku með skýringatexta?", "Do you want to display a minimap?": "Viltu birta yfirlitskort?", "Do you want to display a panel on load?": "Viltu birta hliðarspjald við innhleðslu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Viltu birta síðufót sem sprettglugga?", "Do you want to display the scale control?": "Viltu birta kvarðahnapp?", "Do you want to display the «more» control?": "Viltu birta hnapp fyrir «meira»?", - "Drop": "Dropi", - "GeoRSS (only link)": "GeoRSS (aðeins tengill)", - "GeoRSS (title + image)": "GeoRSS (titill + mynd)", - "Heatmap": "Hitakort", - "Icon shape": "Lögun Táknmyndar", - "Icon symbol": "Myndtákn", - "Inherit": "Erfa", - "Label direction": "Stefna skýringar", - "Label key": "Lykill skýringar", - "Labels are clickable": "Hægt er að smella á skýringar", - "None": "Ekkert", - "On the bottom": "Neðst", - "On the left": "Vinstra megin", - "On the right": "Hægra megin", - "On the top": "Efst", - "Popup content template": "Sniðmát efnis í sprettglugga", - "Set symbol": "Setja tákn", - "Side panel": "Hliðarspjald", - "Simplify": "Einfalda", - "Symbol or url": "Tákn eða slóð", - "Table": "Tafla", - "always": "alltaf", - "clear": "hreinsa", - "collapsed": "samfallið", - "color": "litur", - "dash array": "strikafylki", - "define": "skilgreina", - "description": "lýsing", - "expanded": "útliðað", - "fill": "fylling", - "fill color": "fyllilitur", - "fill opacity": "ógegnsæi fyllingar", - "hidden": "falið", - "iframe": "iFrame", - "inherit": "erfa", - "name": "heiti", - "never": "aldrei", - "new window": "nýr gluggi", - "no": "nei", - "on hover": "við yfirsvif", - "opacity": "ógegnsæi", - "parent window": "yfirgluggi", - "stroke": "strik", - "weight": "þykkt", - "yes": "já", - "{delay} seconds": "{delay} sekúndur", - "# one hash for main heading": "# eitt myllumerki fyrir aðalfyrirsögn", - "## two hashes for second heading": "## tvö myllumerki fyrir aðra fyrirsögn", - "### three hashes for third heading": "### þrjú myllumerki fyrir þriðju fyrirsögn", - "**double star for bold**": "**tvöföld stjarna/margföldun fyrir feitletrað**", - "*simple star for italic*": "*einföld stjarna/margföldun fyrir skáletrað*", - "--- for an horizontal rule": "--- gefur lárétta mælistiku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Kommu-aðgreindur listi með tölum sem skilgreina strikamynstur. Til dæmis: \"5, 10, 15\".", - "About": "Um hugbúnaðinn", - "Action not allowed :(": "Þessi aðgerð er ekki leyfð :(", - "Activate slideshow mode": "Virkja skyggnusýningarham", - "Add a layer": "Bæta við lagi", - "Add a line to the current multi": "Bæta línu við fyrirliggjandi hóp", - "Add a new property": "Bæta við nýju eigindi", - "Add a polygon to the current multi": "Bæta marghyrningi við fyrirliggjandi hóp", - "Advanced actions": "Ítarlegri aðgerðir", - "Advanced properties": "Ítarlegir eiginleikar", - "Advanced transition": "Ítarleg millifærsla", - "All properties are imported.": "Öll eigindi voru flutt inn.", - "Allow interactions": "Leyfa gagnvirkni", - "An error occured": "Villa kom upp", - "Are you sure you want to cancel your changes?": "Ertu viss um að þú viljir hætta við breytingarnar þínar?", - "Are you sure you want to clone this map and all its datalayers?": "Ertu viss um að þú viljir klóna þetta kort og öll gagnalög þess?", - "Are you sure you want to delete the feature?": "Ertu viss um að þú viljir eyða fitjunni?", - "Are you sure you want to delete this layer?": "Ertu viss um að þú viljir eyða þessu lagi?", - "Are you sure you want to delete this map?": "Ertu viss um að þú viljir eyða þessu korti?", - "Are you sure you want to delete this property on all the features?": "Ertu viss um að þú viljir eyða þessu eigindi á öllum fitjum?", - "Are you sure you want to restore this version?": "Ertu viss um að vilja endurheimta þessa útgáfu?", - "Attach the map to my account": "Tengja kortið við notandaaðganginn minn", - "Auto": "Sjálfvirkt", - "Autostart when map is loaded": "Sjálfræsa þegar korti er hlaðið inn", - "Bring feature to center": "Færa fitju að miðju", - "Browse data": "Skoða gögn", - "Cancel edits": "Hætta við breytingar", - "Center map on your location": "Miðjusetja kortið á staðsetningu þína", - "Change map background": "Breyta bakgrunni landakorts", - "Change tilelayers": "Skipta um kortatíglalög", - "Choose a preset": "Veldu forstillingu", - "Choose the format of the data to import": "Veldu snið á gögnum sem á að flytja inn", - "Choose the layer to import in": "Veldu lagið sem á að flytja inn í", - "Click last point to finish shape": "Smelltu á síðasta punktinn til að ljúka lögun", - "Click to add a marker": "Smella til að bæta við kortamerki", - "Click to continue drawing": "Smelltu til að halda áfram að teikna", - "Click to edit": "Smelltu til að breyta", - "Click to start drawing a line": "Smelltu til að byrja að teikna línu", - "Click to start drawing a polygon": "Smelltu til að byrja að teikna fláka (marghyrning)", - "Clone": "Klóna", - "Clone of {name}": "Klónað afrit af {name}", - "Clone this feature": "Klóna þessa fitju", - "Clone this map": "Klóna þetta landakort", - "Close": "Loka", - "Clustering radius": "Radíus klasa", - "Comma separated list of properties to use when filtering features": "Kommu-aðgreindur listi yfir eigindi sem notaður er við síun fitja", - "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.": "Gildi aðgreind með kommu, dálkmerki (tab) eða semíkommu. Miðað við SRS hnattviðmið WGS84. Einungis punktalaganir (geometries) eru fluttar inn. Við innflutning er skoðað í fyrirsögnum dálka hvort minnst sé á «lat» eða «lon» í byrjun fyrirsagna, óháð há-/lágstöfum. Allir aðrir dálkar eru fluttir inn sem eigindi.", - "Continue line": "Halda áfram með línu", - "Continue line (Ctrl+Click)": "Halda áfram með línu (Ctrl+Smella)", - "Coordinates": "Hnit", - "Credits": "Framlög", - "Current view instead of default map view?": "Fyrirliggjandi sýn í stað sjálfgefinnar kortasýnar?", - "Custom background": "Sérsniðinn bakgrunnur", - "Data is browsable": "Gögn eru vafranleg", - "Default interaction options": "Sjálfgefnir valkostir gagnvirkni", - "Default properties": "Sjálfgefnir eiginleikar", - "Default shape properties": "Sjálfgefnir eiginleikar lögunar", - "Define link to open in a new window on polygon click.": "Skilgreindu tengil til að opna í nýjum glugga þegar smellt er á marghyrning.", - "Delay between two transitions when in play mode": "Hlé milli tveggja millifærslna í afspilunarham", - "Delete": "Eyða", - "Delete all layers": "Eyða öllum lögum", - "Delete layer": "Eyða lagi", - "Delete this feature": "Eyða þessari fitju", - "Delete this property on all the features": "Eyða þessu eigindi á öllum fitjum", - "Delete this shape": "Eyða þessari lögun", - "Delete this vertex (Alt+Click)": "Eyða þessum brotpunkti (Alt+Smella)", - "Directions from here": "Leiðir héðan", - "Disable editing": "Gera breytingar óvirkar", - "Display measure": "Birta lengdarmæli", - "Display on load": "Birta við innhleðslu", "Download": "Sækja", "Download data": "Sækja gögn", "Drag to reorder": "Draga til að endurraða", @@ -159,6 +125,7 @@ "Draw a marker": "Teikna kortamerki", "Draw a polygon": "Teikna fláka (marghyrning)", "Draw a polyline": "Teikna fjölpunktalínu (polyline)", + "Drop": "Dropi", "Dynamic": "Breytilegt", "Dynamic properties": "Breytilegir eiginleikar", "Edit": "Breyta", @@ -172,23 +139,31 @@ "Embed the map": "Setja landakortið inn á vefsíðu", "Empty": "Tómt", "Enable editing": "Virkja breytingar", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Villa í slóð kortatíglalags", "Error while fetching {url}": "Villa við að sækja {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Hætta í skjáfylli", "Extract shape to separate feature": "Flytja lögun í aðskilda fitju", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Sækja gögn í hvert skipti sem kortasýn breytist", "Filter keys": "Sía lykla", "Filter…": "Sía…", "Format": "Snið", "From zoom": "Frá aðdráttarstigi", "Full map data": "Öll kortagögn", + "GeoRSS (only link)": "GeoRSS (aðeins tengill)", + "GeoRSS (title + image)": "GeoRSS (titill + mynd)", "Go to «{feature}»": "Fara á «{feature}»", + "Heatmap": "Hitakort", "Heatmap intensity property": "Styrkeigindi fyrir hitakort", "Heatmap radius": "Radíus hitakorts", "Help": "Hjálp", "Hide controls": "Fela hnappa", "Home": "Heim", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hve mikið eigi að einfalda fjölpunktalínu á hverju aðdráttarstigi (meira = betri afköst og mýkra útlit, minna = nákvæmara)", + "Icon shape": "Lögun Táknmyndar", + "Icon symbol": "Myndtákn", "If false, the polygon will act as a part of the underlying map.": "Ef þetta er ósatt, mun marghyrningurinn verða hluti af undirliggjandi korti.", "Iframe export options": "Útflutningsvalkostir Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe með sérsniðinni hæð (í mynddílum/px): {{{http://iframe.url.com|hæð}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Flytja inn í nýtt lag", "Imports all umap data, including layers and settings.": "Flytur inn öll umap-gögn, þar með talin lög og stillingar.", "Include full screen link?": "Hafa með tengil á að fylla skjá?", + "Inherit": "Erfa", "Interaction options": "Valkostir gagnvirkni", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ógild umap-gögn", "Invalid umap data in {filename}": "Ógild umap-gögn í {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Halda fyrirliggjandi sýnilegum lögum", + "Label direction": "Stefna skýringar", + "Label key": "Lykill skýringar", + "Labels are clickable": "Hægt er að smella á skýringar", "Latitude": "Breiddargráða", "Layer": "Lag", "Layer properties": "Eiginleikar lags", @@ -225,20 +206,39 @@ "Merge lines": "Sameina línur", "More controls": "Fleiri hnappar", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Verður að vera gilt CSS-gildi (t.d.: DarkBlue eða #123456)", + "No cache": "Ekkert biðminni", "No licence has been set": "Ekkert notkunarleyfi hefur verið sett", "No results": "Engar niðurstöður", + "No results for these filters": "No results for these filters", + "None": "Ekkert", + "On the bottom": "Neðst", + "On the left": "Vinstra megin", + "On the right": "Hægra megin", + "On the top": "Efst", "Only visible features will be downloaded.": "Aðeins verður náð í sýnilegar fitjur.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Opna niðurhalsspjald", "Open link in…": "Opna tengil í…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Opna umfang þessa korts í kortavinnsluforriti til að gefa nákvæmari kortagögn til OpenStreetMap", "Optional intensity property for heatmap": "Valfrjálst styrkeigindi fyrir hitakort", + "Optional.": "Valfrjálst.", "Optional. Same as color if not set.": "Valfrjálst. Sama og litur ef ekkert er skilgreint.", "Override clustering radius (default 80)": "Nota annan radíus klösunar (sjálfgefið 80)", "Override heatmap radius (default 25)": "Nota annan radíus hitakorts (sjálfgefið 25)", + "Paste your data here": "Límdu gögnin þín hér", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Gakktu úr skugga um að notkunarleyfið samsvari notkunasviði þínu.", "Please choose a format": "Veldu snið", "Please enter the name of the property": "Settu inn heiti á eigindið", "Please enter the new name of this property": "Settu inn nýja heitið á þetta eigindi", + "Please save the map first": "Vistaðu fyrst kortið", + "Popup": "Sprettgluggi", + "Popup (large)": "Sprettgluggi (stór)", + "Popup content style": "Stíll efnis í sprettglugga", + "Popup content template": "Sniðmát efnis í sprettglugga", + "Popup shape": "Lögun sprettglugga", "Powered by Leaflet and Django, glued by uMap project.": "Keyrt með Leaflet og Django, límt saman af uMap verkefninu.", "Problem in the response": "Vandamál í svarinu", "Problem in the response format": "Vandamál með snið svarsins", @@ -262,12 +262,17 @@ "See all": "Sjá allt", "See data layers": "Skoða gagnalög", "See full screen": "Fylla skjáinn", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Settu þetta sem ósatt til að fela þetta lag úr skyggnusýningu, gagnavafranum, sprettleiðsögn…", + "Set symbol": "Setja tákn", "Shape properties": "Eiginleikar lögunar", "Short URL": "Stytt slóð", "Short credits": "Stutt um framlög", "Show/hide layer": "Birta/Fela lag", + "Side panel": "Hliðarspjald", "Simple link: [[http://example.com]]": "Einfaldur tengill: [[http://example.com]]", + "Simplify": "Einfalda", + "Skipping unknown geometry.type: {type}": "Sleppi óþekktu geometry.type: {type}", "Slideshow": "Skyggnusýning", "Smart transitions": "Snjallar millifærslur", "Sort key": "Röðunarlykill", @@ -280,10 +285,13 @@ "Supported scheme": "Stutt skema", "Supported variables that will be dynamically replaced": "Studdar breytur sem verður skipt út eftir þörfum", "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.": "Tákn getur verið annað hvort unicode-stafur eða URL-slóð. Þú getur haft eigindi fitja sem breytur: t.d.: með \"http://mittlén.org/myndir/{nafn}.png\", verður breytunni {nafn} skipt út fyrir gildið \"nafn\" í eigindum hvers merkis.", + "Symbol or url": "Tákn eða slóð", "TMS format": "TMS-snið", + "Table": "Tafla", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Nota ef fjartengdur þjónn leyfir ekki millivísanir léna (hægvirkara)", "To zoom": "Í aðdrátt", @@ -310,6 +318,7 @@ "Who can edit": "Hverjir geta breytt", "Who can view": "Hverjir geta skoðað", "Will be displayed in the bottom right corner of the map": "Verður birt niðri í hægra horni kortsins", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Verður sýnilegt í skýringatexta kortsins", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Úbbs! Það lítur út fyrir að einhver annar hafi breytt gögnunum. Þú getur samt vistað, en það mun hreinsa út breytingarnar sem hinn aðilinn gerði.", "You have unsaved changes.": "Það eru óvistaðar breytingar.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Aðdráttur á fyrra", "Zoom to this feature": "Aðdráttur að þessari fitju", "Zoom to this place": "Aðdráttur á þennan stað", + "always": "alltaf", "attribution": "tilvísun í höfund/a", "by": "eftir", + "clear": "hreinsa", + "collapsed": "samfallið", + "color": "litur", + "dash array": "strikafylki", + "define": "skilgreina", + "description": "lýsing", "display name": "birtingarnafn", + "expanded": "útliðað", + "fill": "fylling", + "fill color": "fyllilitur", + "fill opacity": "ógegnsæi fyllingar", "height": "hæð", + "hidden": "falið", + "iframe": "iFrame", + "inherit": "erfa", "licence": "notkunarleyfi", "max East": "Hám. austur", "max North": "Hám. norður", @@ -332,10 +355,21 @@ "max West": "Hám. vestur", "max zoom": "Hám. aðdráttur", "min zoom": "lágm. aðdráttur", + "name": "heiti", + "never": "aldrei", + "new window": "nýr gluggi", "next": "næsta", + "no": "nei", + "on hover": "við yfirsvif", + "opacity": "ógegnsæi", + "parent window": "yfirgluggi", "previous": "fyrra", + "stroke": "strik", + "weight": "þykkt", "width": "breidd", + "yes": "já", "{count} errors during import: {message}": "{count} villur við innflutning: {message}", + "{delay} seconds": "{delay} sekúndur", "Measure distances": "Mæla vegalengdir", "NM": "Sjómílur", "kilometers": "kílómetrar", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "mílur", "nautical miles": "sjómílur", - "{area} acres": "{area} ekrur", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mi²", - "{area} yd²": "{area} yd²", - "{distance} NM": "{distance} sjómílur", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} mílur", - "{distance} yd": "{distance} yd", - "1 day": "1 dagur", - "1 hour": "1 klukkustund", - "5 min": "5 mín", - "Cache proxied request": "Setja milliþjónabeiðnir í skyndiminni", - "No cache": "Ekkert biðminni", - "Popup": "Sprettgluggi", - "Popup (large)": "Sprettgluggi (stór)", - "Popup content style": "Stíll efnis í sprettglugga", - "Popup shape": "Lögun sprettglugga", - "Skipping unknown geometry.type: {type}": "Sleppi óþekktu geometry.type: {type}", - "Optional.": "Valfrjálst.", - "Paste your data here": "Límdu gögnin þín hér", - "Please save the map first": "Vistaðu fyrst kortið", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} ekrur", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} mi²", + "{area} yd²": "{area} yd²", + "{distance} NM": "{distance} sjómílur", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} mílur", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 9634b175..4f4de479 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un cancelleto per l'intestazione principale", + "## two hashes for second heading": "## due cancelletti per le intestazioni di secondo livello", + "### three hashes for third heading": "### tre cancelletti per intestazione di terzo livello", + "**double star for bold**": "**due asterischi per il testo marcato**", + "*simple star for italic*": "*asterisco per l'italico*", + "--- for an horizontal rule": "--- per una linea orizzontale", + "1 day": "1 giorno", + "1 hour": "1 ora", + "5 min": "5 min", + "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": "Informazioni", + "Action not allowed :(": "Azione non permessa :(", + "Activate slideshow mode": "Attiva il modo slideshow", + "Add a layer": "Aggiungi un layer", + "Add a line to the current multi": "Aggiungi una linea a quelle correnti", + "Add a new property": "Aggiungi una nuova proprietà", + "Add a polygon to the current multi": "Aggiungi un poligono a quell correnti", "Add symbol": "Aggiungi un simbolo", + "Advanced actions": "Azioni avanzate", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Proprietà avanzate", + "Advanced transition": "Transizione avanzata", + "All properties are imported.": "Tutte le proprietà sono state importate.", + "Allow interactions": "Permetti interazioni", "Allow scroll wheel zoom?": "Abilitare la rotellina del mouse per lo zoom?", + "An error occured": "Si è verificato un errore", + "Are you sure you want to cancel your changes?": "Si vuole realmente annullare le modifiche fatte?", + "Are you sure you want to clone this map and all its datalayers?": "Confermi di duplicare questa mappa e tutti i suoi livelli?", + "Are you sure you want to delete the feature?": "Si è sicuri di voler cancellare questa geometria?", + "Are you sure you want to delete this layer?": "Sei sicuro di voler cancellare questo livello?", + "Are you sure you want to delete this map?": "Si è certi di voler eliminare questa mappa?", + "Are you sure you want to delete this property on all the features?": "Si è sicuri di voler cancellare questa proprietà per ogni geometria?", + "Are you sure you want to restore this version?": "Si vuole veramente ripristinare questa versione?", + "Attach the map to my account": "Aggancia la mappa al mio account", + "Auto": "Auto", "Automatic": "Automatico", + "Autostart when map is loaded": "Parte in automatico quando la mappa è caricata", + "Background overlay url": "Background overlay url", "Ball": "Palla", + "Bring feature to center": "Porta la geometria al centro", + "Browse data": "Visualizza i dati", + "Cache proxied request": "Usa la cache per le richieste proxy", "Cancel": "Annulla", + "Cancel edits": "Annulla le modifiche", "Caption": "Didascalia", + "Center map on your location": "Centra la mappa sulla tua posizione", + "Change map background": "Cambia la mappa di sfondo", "Change symbol": "Cambia il simbolo", + "Change tilelayers": "Cambia i livelli di sfondo", + "Choose a preset": "Seleziona una preimpostazione", "Choose the data format": "Scegli il formato dati", + "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer of the feature": "Scegli il layer della geometria", + "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Circle": "Cerchio", + "Click last point to finish shape": "Click su ultimo punto per completare la geometria", + "Click to add a marker": "Clicca per aggiungere un marcatore", + "Click to continue drawing": "Clic per continuare a disegnare", + "Click to edit": "Clic per la modifica", + "Click to start drawing a line": "Clic per iniziare a disegnare una linea", + "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", + "Clone": "Clona", + "Clone of {name}": "Clone di {name}", + "Clone this feature": "Duplica questa caratteristica", + "Clone this map": "Duplica questa mappa", + "Close": "Chiudi", "Clustered": "Raggruppata", + "Clustering radius": "Raggio del raggruppamento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista di proprietà separate da virgola da utilizzare per filtrare le geometrie", + "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.": "Valori separati da virgola, tabulatore o punto e virgola. Il sistema di riferimento spaziale implementato è WGS84. Vengono importati solo punti. La funzione di importazione va a cercare nell'intestazione le colonne «lat» e «lon» indifferentemente se scritte in maiuscolo o minuscolo. Tutte le altre colonne sono importate come proprietà.", + "Continue line": "Linea continua", + "Continue line (Ctrl+Click)": "Continua linea (Ctrl+Click)", + "Coordinates": "Coordinate", + "Credits": "Ringraziamenti", + "Current view instead of default map view?": "Vista attuale invece che quella della mappa preimpostata?", + "Custom background": "Sfondo personalizzato", + "Custom overlay": "Custom overlay", "Data browser": "Visualizza i dati", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Predefinito", + "Default interaction options": "Default interaction options", + "Default properties": "Proprietà preimpostate", + "Default shape properties": "Default shape properties", "Default zoom level": "Livello di zoom di default", "Default: name": "Predefinito: nome", + "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": "Cancella", + "Delete all layers": "Elimina tutti i livelli", + "Delete layer": "Elimina livello", + "Delete this feature": "Cancella questa geometria", + "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", + "Delete this shape": "Cancella questa geometria", + "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", + "Directions from here": "Indicazioni stradali da qui", + "Disable editing": "Disabilita la modifica", "Display label": "Mostra etichetta", + "Display measure": "Mostra misura", + "Display on load": "Mostra durante il caricamento", "Display the control to open OpenStreetMap editor": "Mostra il controllo per aprire l'editor di OpenStreetMap", "Display the data layers control": "Mostra il controllo dei dati per per i livelli", "Display the embed control": "Display the embed control", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Visualizza una didascalia?", "Do you want to display a minimap?": "Visualizzare una mappa panoramica?", "Do you want to display a panel on load?": "Visualizza un panello al caricamento?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Visualizzare la finestra di popup a piè pagina?", "Do you want to display the scale control?": "Visualizzare la scala?", "Do you want to display the «more» control?": "Vuoi visualizzare il controllo \"altro\"?", - "Drop": "Goccia", - "GeoRSS (only link)": "GeoRSS (solo il link)", - "GeoRSS (title + image)": "GeoRSS (titolo + immagine)", - "Heatmap": "Mappa di densità (heatmap)", - "Icon shape": "Forma dell'icona", - "Icon symbol": "Simbolo dell'icona", - "Inherit": "Eredita", - "Label direction": "Collocazione dell'etichetta", - "Label key": "Chiave dell'etichetta", - "Labels are clickable": "Etichette cliccabili", - "None": "Nulla", - "On the bottom": "In basso", - "On the left": "A sinistra", - "On the right": "A destra", - "On the top": "In alto", - "Popup content template": "Template del contenuto del popup", - "Set symbol": "Imposta simbolo", - "Side panel": "Pannello laterale", - "Simplify": "Semplifica", - "Symbol or url": "Simbolo o url", - "Table": "Tabella", - "always": "sempre", - "clear": "pulisci", - "collapsed": "contratto", - "color": "colore", - "dash array": "tratteggio", - "define": "definisci", - "description": "descrizione", - "expanded": "espanso", - "fill": "riempimento", - "fill color": "colore di riempimento", - "fill opacity": "opacità riempimento", - "hidden": "nascosto", - "iframe": "iframe", - "inherit": "eredita", - "name": "nome", - "never": "mai", - "new window": "nuova finestra", - "no": "non", - "on hover": "in sovraimpressione", - "opacity": "opacità", - "parent window": "stessa finestra", - "stroke": "tratto", - "weight": "peso", - "yes": "sì", - "{delay} seconds": "{delay} secondi", - "# one hash for main heading": "# un cancelleto per l'intestazione principale", - "## two hashes for second heading": "## due cancelletti per le intestazioni di secondo livello", - "### three hashes for third heading": "### tre cancelletti per intestazione di terzo livello", - "**double star for bold**": "**due asterischi per il testo marcato**", - "*simple star for italic*": "*asterisco per l'italico*", - "--- for an horizontal rule": "--- per una linea orizzontale", - "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": "Informazioni", - "Action not allowed :(": "Azione non permessa :(", - "Activate slideshow mode": "Attiva il modo slideshow", - "Add a layer": "Aggiungi un layer", - "Add a line to the current multi": "Aggiungi una linea a quelle correnti", - "Add a new property": "Aggiungi una nuova proprietà", - "Add a polygon to the current multi": "Aggiungi un poligono a quell correnti", - "Advanced actions": "Azioni avanzate", - "Advanced properties": "Proprietà avanzate", - "Advanced transition": "Transizione avanzata", - "All properties are imported.": "Tutte le proprietà sono state importate.", - "Allow interactions": "Permetti interazioni", - "An error occured": "Si è verificato un errore", - "Are you sure you want to cancel your changes?": "Si vuole realmente annullare le modifiche fatte?", - "Are you sure you want to clone this map and all its datalayers?": "Confermi di duplicare questa mappa e tutti i suoi livelli?", - "Are you sure you want to delete the feature?": "Si è sicuri di voler cancellare questa geometria?", - "Are you sure you want to delete this layer?": "Sei sicuro di voler cancellare questo livello?", - "Are you sure you want to delete this map?": "Si è certi di voler eliminare questa mappa?", - "Are you sure you want to delete this property on all the features?": "Si è sicuri di voler cancellare questa proprietà per ogni geometria?", - "Are you sure you want to restore this version?": "Si vuole veramente ripristinare questa versione?", - "Attach the map to my account": "Aggancia la mappa al mio account", - "Auto": "Auto", - "Autostart when map is loaded": "Parte in automatico quando la mappa è caricata", - "Bring feature to center": "Porta la geometria al centro", - "Browse data": "Visualizza i dati", - "Cancel edits": "Annulla le modifiche", - "Center map on your location": "Centra la mappa sulla tua posizione", - "Change map background": "Cambia la mappa di sfondo", - "Change tilelayers": "Cambia i livelli di sfondo", - "Choose a preset": "Seleziona una preimpostazione", - "Choose the format of the data to import": "Seleziona il formato dei dati da importare", - "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing": "Clic per continuare a disegnare", - "Click to edit": "Clic per la modifica", - "Click to start drawing a line": "Clic per iniziare a disegnare una linea", - "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", - "Clone": "Clona", - "Clone of {name}": "Clone di {name}", - "Clone this feature": "Duplica questa caratteristica", - "Clone this map": "Duplica questa mappa", - "Close": "Chiudi", - "Clustering radius": "Raggio del raggruppamento", - "Comma separated list of properties to use when filtering features": "Lista di proprietà separate da virgola da utilizzare per filtrare le geometrie", - "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.": "Valori separati da virgola, tabulatore o punto e virgola. Il sistema di riferimento spaziale implementato è WGS84. Vengono importati solo punti. La funzione di importazione va a cercare nell'intestazione le colonne «lat» e «lon» indifferentemente se scritte in maiuscolo o minuscolo. Tutte le altre colonne sono importate come proprietà.", - "Continue line": "Linea continua", - "Continue line (Ctrl+Click)": "Continua linea (Ctrl+Click)", - "Coordinates": "Coordinate", - "Credits": "Ringraziamenti", - "Current view instead of default map view?": "Vista attuale invece che quella della mappa preimpostata?", - "Custom background": "Sfondo personalizzato", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Proprietà preimpostate", - "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": "Cancella", - "Delete all layers": "Elimina tutti i livelli", - "Delete layer": "Elimina livello", - "Delete this feature": "Cancella questa geometria", - "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", - "Delete this shape": "Cancella questa geometria", - "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", - "Directions from here": "Indicazioni stradali da qui", - "Disable editing": "Disabilita la modifica", - "Display measure": "Mostra misura", - "Display on load": "Mostra durante il caricamento", "Download": "Scarica", "Download data": "Download dei dati", "Drag to reorder": "Trascina per riordinare", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Aggiungi un marcatore", "Draw a polygon": "Disegna un poligono", "Draw a polyline": "Disegna una polilinea", + "Drop": "Goccia", "Dynamic": "Dinamico", "Dynamic properties": "Proprietà dinamiche", "Edit": "Modifica", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Includi la mappa", "Empty": "Vuoto", "Enable editing": "Abilita la modifica", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Errore nell'URL nel servizio di tile", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Esci da Schermo intero", "Extract shape to separate feature": "Dividi la geometria in geometrie separate", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Dallo zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (solo il link)", + "GeoRSS (title + image)": "GeoRSS (titolo + immagine)", "Go to «{feature}»": "Vai a «{feature}»", + "Heatmap": "Mappa di densità (heatmap)", "Heatmap intensity property": "Proprietà intensità mappa di densità", "Heatmap radius": "Raggio mappa di densità", "Help": "Aiuto", "Hide controls": "Nascondi controlli", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Quanto vuoi semplificare la polilinea per ogni zoom (più = maggiori perfromance a aspetto più semplificato, meno = maggior dettaglio)", + "Icon shape": "Forma dell'icona", + "Icon symbol": "Simbolo dell'icona", "If false, the polygon will act as a part of the underlying map.": "Se falso, il poligono agirà come parte della mappa sottostante.", "Iframe export options": "opzioni di esportazione iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altezza (in px) personalizzata: {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ 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?", + "Inherit": "Eredita", "Interaction options": "Opzioni di interazione", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "dati di umap non validi", "Invalid umap data in {filename}": "dati umap non validi nel file {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Mantieni i livelli attualmente visibili", + "Label direction": "Collocazione dell'etichetta", + "Label key": "Chiave dell'etichetta", + "Labels are clickable": "Etichette cliccabili", "Latitude": "Latitudine", "Layer": "Layer", "Layer properties": "Proprietà del layer", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Unisci linee", "More controls": "Maggiori controlli", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Deve avere un valore CSS valido (es.: DarkBlue o #123456)", + "No cache": "Nessuna cache", "No licence has been set": "Non è ancora stata impostata una licenza", "No results": "Nessun risultato", + "No results for these filters": "No results for these filters", + "None": "Nulla", + "On the bottom": "In basso", + "On the left": "A sinistra", + "On the right": "A destra", + "On the top": "In alto", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Apri il panel scaricato", "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.": "Opzionale.", "Optional. Same as color if not set.": "Opzionale. Stesso colore se non assegnato.", "Override clustering radius (default 80)": "Sovrascrivi raggio di raggruppamento (predefinito 80)", "Override heatmap radius (default 25)": "Sovrascrivi raggio mappa di intensità (predefinito 25)", + "Paste your data here": "Incolla i tuoi dati qui", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Si prega di verificare che la licenza è compatibile con quella in uso.", "Please choose a format": "Scegliere un formato", "Please enter the name of the property": "Inserire il nome della proprietà", "Please enter the new name of this property": "Inserire il nuovo nome per questa proprietà", + "Please save the map first": "Per favore prima salva la mappa", + "Popup": "Popup", + "Popup (large)": "Popup (grande)", + "Popup content style": "Stile del contenuto del Popup", + "Popup content template": "Template del contenuto del popup", + "Popup shape": "Forma del Popup", "Powered by Leaflet and Django, glued by uMap project.": "Basato su Leaflet e Django, uniti nel progetto uMap.", "Problem in the response": "Problema nella risposta", "Problem in the response format": "Problema nel formato della risposta", @@ -262,12 +262,17 @@ var locale = { "See all": "Vedi tutto", "See data layers": "Vedi i livelli dati", "See full screen": "Visualizza a schermo intero", + "Select data": "Select data", "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…", + "Set symbol": "Imposta simbolo", "Shape properties": "Proprietà della forma", "Short URL": "URL breve", "Short credits": "Mostra i ringraziamenti", "Show/hide layer": "Mostra/nascondi layer", + "Side panel": "Pannello laterale", "Simple link: [[http://example.com]]": "Link semplice: [[http://example.com]]", + "Simplify": "Semplifica", + "Skipping unknown geometry.type: {type}": "Salta le geometrie sconosciute.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Schema supportato", "Supported variables that will be dynamically replaced": "Variabili supportate che verranno cambiate dinamicamente", "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.": "Il simbolo può essere sia un carattere Unicode che un indirizzo URL. Puoi usare delle proprietà di elemento come variabili: ad esempio con “http://myserver.org/images/{name}.png”, la variabile {name} verrà rimpiazzata con il valore “nome” di ogni marcatore.", + "Symbol or url": "Simbolo o url", "TMS format": "formato TMS", + "Table": "Tabella", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Chi può modificare", "Who can view": "Chi può vedere", "Will be displayed in the bottom right corner of the map": "Sarà visualizzato in un angolo in basso a destra sulla mappa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Sarà visibile nella didascalia della mappa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "OPS! Qualcun altro sembra aver modificato i dati. È possibile comunque salvare, ma questo cancellerà le modifiche apportate da altri.", "You have unsaved changes.": "Ci sono delle modifiche che non sono state ancora salvate.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom sul precedente", "Zoom to this feature": "Zoom su questa geometria", "Zoom to this place": "Zoom to this place", + "always": "sempre", "attribution": "attribuzione", "by": "di", + "clear": "pulisci", + "collapsed": "contratto", + "color": "colore", + "dash array": "tratteggio", + "define": "definisci", + "description": "descrizione", "display name": "visualizza il nome", + "expanded": "espanso", + "fill": "riempimento", + "fill color": "colore di riempimento", + "fill opacity": "opacità riempimento", "height": "altezza", + "hidden": "nascosto", + "iframe": "iframe", + "inherit": "eredita", "licence": "licenza", "max East": "max Est", "max North": "max Nord", @@ -332,10 +355,21 @@ var locale = { "max West": "max Ovest", "max zoom": "zoom massimo", "min zoom": "zoom minimo", + "name": "nome", + "never": "mai", + "new window": "nuova finestra", "next": "prossimo", + "no": "non", + "on hover": "in sovraimpressione", + "opacity": "opacità", + "parent window": "stessa finestra", "previous": "precedente", + "stroke": "tratto", + "weight": "peso", "width": "larghezza", + "yes": "sì", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} secondi", "Measure distances": "Misura le distanze", "NM": "Miglia nautiche", "kilometers": "chilometri", @@ -343,45 +377,16 @@ var locale = { "mi": "miglia", "miles": "miglia", "nautical miles": "miglia nautiche", - "{area} acres": "{area} acri", - "{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} miglia", - "{distance} yd": "{distance} yd", - "1 day": "1 giorno", - "1 hour": "1 ora", - "5 min": "5 min", - "Cache proxied request": "Usa la cache per le richieste proxy", - "No cache": "Nessuna cache", - "Popup": "Popup", - "Popup (large)": "Popup (grande)", - "Popup content style": "Stile del contenuto del Popup", - "Popup shape": "Forma del Popup", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acri", + "{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} miglia", + "{distance} yd": "{distance} yd" }; 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 93f1e43a..6680ca33 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# un cancelleto per l'intestazione principale", + "## two hashes for second heading": "## due cancelletti per le intestazioni di secondo livello", + "### three hashes for third heading": "### tre cancelletti per intestazione di terzo livello", + "**double star for bold**": "**due asterischi per il testo marcato**", + "*simple star for italic*": "*asterisco per l'italico*", + "--- for an horizontal rule": "--- per una linea orizzontale", + "1 day": "1 giorno", + "1 hour": "1 ora", + "5 min": "5 min", + "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": "Informazioni", + "Action not allowed :(": "Azione non permessa :(", + "Activate slideshow mode": "Attiva il modo slideshow", + "Add a layer": "Aggiungi un layer", + "Add a line to the current multi": "Aggiungi una linea a quelle correnti", + "Add a new property": "Aggiungi una nuova proprietà", + "Add a polygon to the current multi": "Aggiungi un poligono a quell correnti", "Add symbol": "Aggiungi un simbolo", + "Advanced actions": "Azioni avanzate", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Proprietà avanzate", + "Advanced transition": "Transizione avanzata", + "All properties are imported.": "Tutte le proprietà sono state importate.", + "Allow interactions": "Permetti interazioni", "Allow scroll wheel zoom?": "Abilitare la rotellina del mouse per lo zoom?", + "An error occured": "Si è verificato un errore", + "Are you sure you want to cancel your changes?": "Si vuole realmente annullare le modifiche fatte?", + "Are you sure you want to clone this map and all its datalayers?": "Confermi di duplicare questa mappa e tutti i suoi livelli?", + "Are you sure you want to delete the feature?": "Si è sicuri di voler cancellare questa geometria?", + "Are you sure you want to delete this layer?": "Sei sicuro di voler cancellare questo livello?", + "Are you sure you want to delete this map?": "Si è certi di voler eliminare questa mappa?", + "Are you sure you want to delete this property on all the features?": "Si è sicuri di voler cancellare questa proprietà per ogni geometria?", + "Are you sure you want to restore this version?": "Si vuole veramente ripristinare questa versione?", + "Attach the map to my account": "Aggancia la mappa al mio account", + "Auto": "Auto", "Automatic": "Automatico", + "Autostart when map is loaded": "Parte in automatico quando la mappa è caricata", + "Background overlay url": "Background overlay url", "Ball": "Palla", + "Bring feature to center": "Porta la geometria al centro", + "Browse data": "Visualizza i dati", + "Cache proxied request": "Usa la cache per le richieste proxy", "Cancel": "Annulla", + "Cancel edits": "Annulla le modifiche", "Caption": "Didascalia", + "Center map on your location": "Centra la mappa sulla tua posizione", + "Change map background": "Cambia la mappa di sfondo", "Change symbol": "Cambia il simbolo", + "Change tilelayers": "Cambia i livelli di sfondo", + "Choose a preset": "Seleziona una preimpostazione", "Choose the data format": "Scegli il formato dati", + "Choose the format of the data to import": "Seleziona il formato dei dati da importare", "Choose the layer of the feature": "Scegli il layer della geometria", + "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", "Circle": "Cerchio", + "Click last point to finish shape": "Click su ultimo punto per completare la geometria", + "Click to add a marker": "Clicca per aggiungere un marcatore", + "Click to continue drawing": "Clic per continuare a disegnare", + "Click to edit": "Clic per la modifica", + "Click to start drawing a line": "Clic per iniziare a disegnare una linea", + "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", + "Clone": "Clona", + "Clone of {name}": "Clone di {name}", + "Clone this feature": "Duplica questa caratteristica", + "Clone this map": "Duplica questa mappa", + "Close": "Chiudi", "Clustered": "Raggruppata", + "Clustering radius": "Raggio del raggruppamento", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista di proprietà separate da virgola da utilizzare per filtrare le geometrie", + "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.": "Valori separati da virgola, tabulatore o punto e virgola. Il sistema di riferimento spaziale implementato è WGS84. Vengono importati solo punti. La funzione di importazione va a cercare nell'intestazione le colonne «lat» e «lon» indifferentemente se scritte in maiuscolo o minuscolo. Tutte le altre colonne sono importate come proprietà.", + "Continue line": "Linea continua", + "Continue line (Ctrl+Click)": "Continua linea (Ctrl+Click)", + "Coordinates": "Coordinate", + "Credits": "Ringraziamenti", + "Current view instead of default map view?": "Vista attuale invece che quella della mappa preimpostata?", + "Custom background": "Sfondo personalizzato", + "Custom overlay": "Custom overlay", "Data browser": "Visualizza i dati", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Predefinito", + "Default interaction options": "Default interaction options", + "Default properties": "Proprietà preimpostate", + "Default shape properties": "Default shape properties", "Default zoom level": "Livello di zoom di default", "Default: name": "Predefinito: nome", + "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": "Cancella", + "Delete all layers": "Elimina tutti i livelli", + "Delete layer": "Elimina livello", + "Delete this feature": "Cancella questa geometria", + "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", + "Delete this shape": "Cancella questa geometria", + "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", + "Directions from here": "Indicazioni stradali da qui", + "Disable editing": "Disabilita la modifica", "Display label": "Mostra etichetta", + "Display measure": "Mostra misura", + "Display on load": "Mostra durante il caricamento", "Display the control to open OpenStreetMap editor": "Mostra il controllo per aprire l'editor di OpenStreetMap", "Display the data layers control": "Mostra il controllo dei dati per per i livelli", "Display the embed control": "Display the embed control", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Visualizza una didascalia?", "Do you want to display a minimap?": "Visualizzare una mappa panoramica?", "Do you want to display a panel on load?": "Visualizza un panello al caricamento?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Visualizzare la finestra di popup a piè pagina?", "Do you want to display the scale control?": "Visualizzare la scala?", "Do you want to display the «more» control?": "Vuoi visualizzare il controllo \"altro\"?", - "Drop": "Goccia", - "GeoRSS (only link)": "GeoRSS (solo il link)", - "GeoRSS (title + image)": "GeoRSS (titolo + immagine)", - "Heatmap": "Mappa di densità (heatmap)", - "Icon shape": "Forma dell'icona", - "Icon symbol": "Simbolo dell'icona", - "Inherit": "Eredita", - "Label direction": "Collocazione dell'etichetta", - "Label key": "Chiave dell'etichetta", - "Labels are clickable": "Etichette cliccabili", - "None": "Nulla", - "On the bottom": "In basso", - "On the left": "A sinistra", - "On the right": "A destra", - "On the top": "In alto", - "Popup content template": "Template del contenuto del popup", - "Set symbol": "Imposta simbolo", - "Side panel": "Pannello laterale", - "Simplify": "Semplifica", - "Symbol or url": "Simbolo o url", - "Table": "Tabella", - "always": "sempre", - "clear": "pulisci", - "collapsed": "contratto", - "color": "colore", - "dash array": "tratteggio", - "define": "definisci", - "description": "descrizione", - "expanded": "espanso", - "fill": "riempimento", - "fill color": "colore di riempimento", - "fill opacity": "opacità riempimento", - "hidden": "nascosto", - "iframe": "iframe", - "inherit": "eredita", - "name": "nome", - "never": "mai", - "new window": "nuova finestra", - "no": "non", - "on hover": "in sovraimpressione", - "opacity": "opacità", - "parent window": "stessa finestra", - "stroke": "tratto", - "weight": "peso", - "yes": "sì", - "{delay} seconds": "{delay} secondi", - "# one hash for main heading": "# un cancelleto per l'intestazione principale", - "## two hashes for second heading": "## due cancelletti per le intestazioni di secondo livello", - "### three hashes for third heading": "### tre cancelletti per intestazione di terzo livello", - "**double star for bold**": "**due asterischi per il testo marcato**", - "*simple star for italic*": "*asterisco per l'italico*", - "--- for an horizontal rule": "--- per una linea orizzontale", - "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": "Informazioni", - "Action not allowed :(": "Azione non permessa :(", - "Activate slideshow mode": "Attiva il modo slideshow", - "Add a layer": "Aggiungi un layer", - "Add a line to the current multi": "Aggiungi una linea a quelle correnti", - "Add a new property": "Aggiungi una nuova proprietà", - "Add a polygon to the current multi": "Aggiungi un poligono a quell correnti", - "Advanced actions": "Azioni avanzate", - "Advanced properties": "Proprietà avanzate", - "Advanced transition": "Transizione avanzata", - "All properties are imported.": "Tutte le proprietà sono state importate.", - "Allow interactions": "Permetti interazioni", - "An error occured": "Si è verificato un errore", - "Are you sure you want to cancel your changes?": "Si vuole realmente annullare le modifiche fatte?", - "Are you sure you want to clone this map and all its datalayers?": "Confermi di duplicare questa mappa e tutti i suoi livelli?", - "Are you sure you want to delete the feature?": "Si è sicuri di voler cancellare questa geometria?", - "Are you sure you want to delete this layer?": "Sei sicuro di voler cancellare questo livello?", - "Are you sure you want to delete this map?": "Si è certi di voler eliminare questa mappa?", - "Are you sure you want to delete this property on all the features?": "Si è sicuri di voler cancellare questa proprietà per ogni geometria?", - "Are you sure you want to restore this version?": "Si vuole veramente ripristinare questa versione?", - "Attach the map to my account": "Aggancia la mappa al mio account", - "Auto": "Auto", - "Autostart when map is loaded": "Parte in automatico quando la mappa è caricata", - "Bring feature to center": "Porta la geometria al centro", - "Browse data": "Visualizza i dati", - "Cancel edits": "Annulla le modifiche", - "Center map on your location": "Centra la mappa sulla tua posizione", - "Change map background": "Cambia la mappa di sfondo", - "Change tilelayers": "Cambia i livelli di sfondo", - "Choose a preset": "Seleziona una preimpostazione", - "Choose the format of the data to import": "Seleziona il formato dei dati da importare", - "Choose the layer to import in": "Seleziona su quale livello fare l'importazione", - "Click last point to finish shape": "Click su ultimo punto per completare la geometria", - "Click to add a marker": "Clicca per aggiungere un marcatore", - "Click to continue drawing": "Clic per continuare a disegnare", - "Click to edit": "Clic per la modifica", - "Click to start drawing a line": "Clic per iniziare a disegnare una linea", - "Click to start drawing a polygon": "Clicca per iniziare a disegnare un poligono", - "Clone": "Clona", - "Clone of {name}": "Clone di {name}", - "Clone this feature": "Duplica questa caratteristica", - "Clone this map": "Duplica questa mappa", - "Close": "Chiudi", - "Clustering radius": "Raggio del raggruppamento", - "Comma separated list of properties to use when filtering features": "Lista di proprietà separate da virgola da utilizzare per filtrare le geometrie", - "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.": "Valori separati da virgola, tabulatore o punto e virgola. Il sistema di riferimento spaziale implementato è WGS84. Vengono importati solo punti. La funzione di importazione va a cercare nell'intestazione le colonne «lat» e «lon» indifferentemente se scritte in maiuscolo o minuscolo. Tutte le altre colonne sono importate come proprietà.", - "Continue line": "Linea continua", - "Continue line (Ctrl+Click)": "Continua linea (Ctrl+Click)", - "Coordinates": "Coordinate", - "Credits": "Ringraziamenti", - "Current view instead of default map view?": "Vista attuale invece che quella della mappa preimpostata?", - "Custom background": "Sfondo personalizzato", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Proprietà preimpostate", - "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": "Cancella", - "Delete all layers": "Elimina tutti i livelli", - "Delete layer": "Elimina livello", - "Delete this feature": "Cancella questa geometria", - "Delete this property on all the features": "Cancella questa proprietà in tutte le geometrie", - "Delete this shape": "Cancella questa geometria", - "Delete this vertex (Alt+Click)": "Elimina questo vertice (Alt+Click)", - "Directions from here": "Indicazioni stradali da qui", - "Disable editing": "Disabilita la modifica", - "Display measure": "Mostra misura", - "Display on load": "Mostra durante il caricamento", "Download": "Scarica", "Download data": "Download dei dati", "Drag to reorder": "Trascina per riordinare", @@ -159,6 +125,7 @@ "Draw a marker": "Aggiungi un marcatore", "Draw a polygon": "Disegna un poligono", "Draw a polyline": "Disegna una polilinea", + "Drop": "Goccia", "Dynamic": "Dinamico", "Dynamic properties": "Proprietà dinamiche", "Edit": "Modifica", @@ -172,23 +139,31 @@ "Embed the map": "Includi la mappa", "Empty": "Vuoto", "Enable editing": "Abilita la modifica", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Errore nell'URL nel servizio di tile", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Esci da Schermo intero", "Extract shape to separate feature": "Dividi la geometria in geometrie separate", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Dallo zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (solo il link)", + "GeoRSS (title + image)": "GeoRSS (titolo + immagine)", "Go to «{feature}»": "Vai a «{feature}»", + "Heatmap": "Mappa di densità (heatmap)", "Heatmap intensity property": "Proprietà intensità mappa di densità", "Heatmap radius": "Raggio mappa di densità", "Help": "Aiuto", "Hide controls": "Nascondi controlli", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Quanto vuoi semplificare la polilinea per ogni zoom (più = maggiori perfromance a aspetto più semplificato, meno = maggior dettaglio)", + "Icon shape": "Forma dell'icona", + "Icon symbol": "Simbolo dell'icona", "If false, the polygon will act as a part of the underlying map.": "Se falso, il poligono agirà come parte della mappa sottostante.", "Iframe export options": "opzioni di esportazione iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altezza (in px) personalizzata: {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Eredita", "Interaction options": "Opzioni di interazione", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "dati di umap non validi", "Invalid umap data in {filename}": "dati umap non validi nel file {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Mantieni i livelli attualmente visibili", + "Label direction": "Collocazione dell'etichetta", + "Label key": "Chiave dell'etichetta", + "Labels are clickable": "Etichette cliccabili", "Latitude": "Latitudine", "Layer": "Layer", "Layer properties": "Proprietà del layer", @@ -225,20 +206,39 @@ "Merge lines": "Unisci linee", "More controls": "Maggiori controlli", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Deve avere un valore CSS valido (es.: DarkBlue o #123456)", + "No cache": "Nessuna cache", "No licence has been set": "Non è ancora stata impostata una licenza", "No results": "Nessun risultato", + "No results for these filters": "No results for these filters", + "None": "Nulla", + "On the bottom": "In basso", + "On the left": "A sinistra", + "On the right": "A destra", + "On the top": "In alto", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Apri il panel scaricato", "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.": "Opzionale.", "Optional. Same as color if not set.": "Opzionale. Stesso colore se non assegnato.", "Override clustering radius (default 80)": "Sovrascrivi raggio di raggruppamento (predefinito 80)", "Override heatmap radius (default 25)": "Sovrascrivi raggio mappa di intensità (predefinito 25)", + "Paste your data here": "Incolla i tuoi dati qui", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Si prega di verificare che la licenza è compatibile con quella in uso.", "Please choose a format": "Scegliere un formato", "Please enter the name of the property": "Inserire il nome della proprietà", "Please enter the new name of this property": "Inserire il nuovo nome per questa proprietà", + "Please save the map first": "Per favore prima salva la mappa", + "Popup": "Popup", + "Popup (large)": "Popup (grande)", + "Popup content style": "Stile del contenuto del Popup", + "Popup content template": "Template del contenuto del popup", + "Popup shape": "Forma del Popup", "Powered by Leaflet and Django, glued by uMap project.": "Basato su Leaflet e Django, uniti nel progetto uMap.", "Problem in the response": "Problema nella risposta", "Problem in the response format": "Problema nel formato della risposta", @@ -262,12 +262,17 @@ "See all": "Vedi tutto", "See data layers": "Vedi i livelli dati", "See full screen": "Visualizza a schermo intero", + "Select data": "Select data", "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…", + "Set symbol": "Imposta simbolo", "Shape properties": "Proprietà della forma", "Short URL": "URL breve", "Short credits": "Mostra i ringraziamenti", "Show/hide layer": "Mostra/nascondi layer", + "Side panel": "Pannello laterale", "Simple link: [[http://example.com]]": "Link semplice: [[http://example.com]]", + "Simplify": "Semplifica", + "Skipping unknown geometry.type: {type}": "Salta le geometrie sconosciute.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "Supported scheme": "Schema supportato", "Supported variables that will be dynamically replaced": "Variabili supportate che verranno cambiate dinamicamente", "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.": "Il simbolo può essere sia un carattere Unicode che un indirizzo URL. Puoi usare delle proprietà di elemento come variabili: ad esempio con “http://myserver.org/images/{name}.png”, la variabile {name} verrà rimpiazzata con il valore “nome” di ogni marcatore.", + "Symbol or url": "Simbolo o url", "TMS format": "formato TMS", + "Table": "Tabella", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", @@ -310,6 +318,7 @@ "Who can edit": "Chi può modificare", "Who can view": "Chi può vedere", "Will be displayed in the bottom right corner of the map": "Sarà visualizzato in un angolo in basso a destra sulla mappa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Sarà visibile nella didascalia della mappa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "OPS! Qualcun altro sembra aver modificato i dati. È possibile comunque salvare, ma questo cancellerà le modifiche apportate da altri.", "You have unsaved changes.": "Ci sono delle modifiche che non sono state ancora salvate.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom sul precedente", "Zoom to this feature": "Zoom su questa geometria", "Zoom to this place": "Zoom to this place", + "always": "sempre", "attribution": "attribuzione", "by": "di", + "clear": "pulisci", + "collapsed": "contratto", + "color": "colore", + "dash array": "tratteggio", + "define": "definisci", + "description": "descrizione", "display name": "visualizza il nome", + "expanded": "espanso", + "fill": "riempimento", + "fill color": "colore di riempimento", + "fill opacity": "opacità riempimento", "height": "altezza", + "hidden": "nascosto", + "iframe": "iframe", + "inherit": "eredita", "licence": "licenza", "max East": "max Est", "max North": "max Nord", @@ -332,10 +355,21 @@ "max West": "max Ovest", "max zoom": "zoom massimo", "min zoom": "zoom minimo", + "name": "nome", + "never": "mai", + "new window": "nuova finestra", "next": "prossimo", + "no": "non", + "on hover": "in sovraimpressione", + "opacity": "opacità", + "parent window": "stessa finestra", "previous": "precedente", + "stroke": "tratto", + "weight": "peso", "width": "larghezza", + "yes": "sì", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} secondi", "Measure distances": "Misura le distanze", "NM": "Miglia nautiche", "kilometers": "chilometri", @@ -343,43 +377,14 @@ "mi": "miglia", "miles": "miglia", "nautical miles": "miglia nautiche", - "{area} acres": "{area} acri", - "{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} miglia", - "{distance} yd": "{distance} yd", - "1 day": "1 giorno", - "1 hour": "1 ora", - "5 min": "5 min", - "Cache proxied request": "Usa la cache per le richieste proxy", - "No cache": "Nessuna cache", - "Popup": "Popup", - "Popup (large)": "Popup (grande)", - "Popup content style": "Stile del contenuto del Popup", - "Popup shape": "Forma del Popup", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acri", + "{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} miglia", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index ac8a6ae9..2d2b87f0 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# ハッシュ1つで主な見出し", + "## two hashes for second heading": "## ハッシュ2つで第二見出し", + "### three hashes for third heading": "### ハッシュ3つで第三見出し", + "**double star for bold**": "**アスタリスク2つで太字**", + "*simple star for italic*": "*アスタリスク1つでイタリック体*", + "--- for an horizontal rule": "--- 横方向の罫線", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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 new property": "プロパティ追加", + "Add a polygon to the current multi": "現在のマルチにポリゴンを追加", "Add symbol": "シンボルを追加", + "Advanced actions": "拡張アクション", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "拡張プロパティ", + "Advanced transition": "拡張トランジション", + "All properties are imported.": "すべてのプロパティがインポートされました。", + "Allow interactions": "インタラクションを許可", "Allow scroll wheel zoom?": "マウスホイールでのスクロールを許可?", + "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": "自動", "Automatic": "自動", + "Autostart when map is loaded": "マップ読み込み時に自動で開始", + "Background overlay url": "Background overlay url", "Ball": "まち針", + "Bring feature to center": "この地物を中心に表示", + "Browse data": "データ内容表示", + "Cache proxied request": "Cache proxied request", "Cancel": "キャンセル", + "Cancel edits": "編集を破棄", "Caption": "表題", + "Center map on your location": "閲覧者の位置をマップの中心に設定", + "Change map background": "背景地図を変更", "Change symbol": "シンボル変更", + "Change tilelayers": "タイルレイヤの変更", + "Choose a preset": "プリセット選択", "Choose the data format": "データ形式選択", + "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer of the feature": "地物のレイヤを選択", + "Choose the layer to import in": "インポート対象レイヤ選択", "Circle": "円形", + "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": "クリックでポリゴンの描画開始", + "Clone": "複製", + "Clone of {name}": "{name}の複製", + "Clone this feature": "この地物を複製", + "Clone this map": "マップを複製", + "Close": "閉じる", "Clustered": "クラスタ化", + "Clustering radius": "クラスタ包括半径", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "カンマ、タブ、セミコロンなどで区切られた値。SRSはWGS84が適用されます。ポイントのジオメトリのみがインポート対象です。インポートを行なう際は、カラムの先頭行を対象に «lat» と «lon» という文字列が検索されます。検索は行の最初から順に行われ、大文字と小文字は区別されません。その他のすべてのカラムは、プロパティとしてインポートされます。", + "Continue line": "ラインを延長", + "Continue line (Ctrl+Click)": "ラインを延長(Ctrl+クリック)", + "Coordinates": "位置情報", + "Credits": "制作", + "Current view instead of default map view?": "デフォルトのマップ表示から現在の表示に切り替えますか?", + "Custom background": "独自背景", + "Custom overlay": "Custom overlay", "Data browser": "データブラウザ", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "デフォルト", + "Default interaction options": "標準のポップアップオプション", + "Default properties": "標準のプロパティ", + "Default shape properties": "標準のシェイプ表示プロパティ", "Default zoom level": "標準ズームレベル", "Default: name": "デフォルト: 名称", + "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 all layers": "すべてのレイヤを削除", + "Delete layer": "レイヤを削除", + "Delete this feature": "地物を削除", + "Delete this property on all the features": "すべての地物からこのプロパティを削除", + "Delete this shape": "このシェイプを削除", + "Delete this vertex (Alt+Click)": "このポイントを削除(Altを押しながらクリック)", + "Directions from here": "ここからの距離", + "Disable editing": "編集を終了", "Display label": "ラベルを表示", + "Display measure": "Display measure", + "Display on load": "読み込み時に表示", "Display the control to open OpenStreetMap editor": "OpenStreetMapエディタを起動するパネルを表示", "Display the data layers control": "データレイヤ操作パネルを表示", "Display the embed control": "サイトへのマップ埋め込みパネルを表示", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "フッタをポップアップしますか?", "Do you want to display the scale control?": "縮尺を表示しますか?", "Do you want to display the «more» control?": "«more»操作パネルを表示しますか?", - "Drop": "しずく型", - "GeoRSS (only link)": "GeoRSS (リンクのみ)", - "GeoRSS (title + image)": "GeoRSS (タイトル+画像)", - "Heatmap": "ヒートマップ", - "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": "ポップアップコンテンツのテンプレート", - "Set symbol": "シンボルを設定", - "Side panel": "サイドパネル", - "Simplify": "簡略化", - "Symbol or url": "シンボルまたはURL", - "Table": "テーブル", - "always": "常時", - "clear": "クリア", - "collapsed": "ボタン", - "color": "色", - "dash array": "破線表示", - "define": "指定", - "description": "概要", - "expanded": "リスト", - "fill": "塗りつぶし", - "fill color": "塗りつぶし色", - "fill opacity": "塗りつぶし透過度", - "hidden": "隠す", - "iframe": "iframe", - "inherit": "属性継承", - "name": "名称", - "never": "表示しない", - "new window": "新規ウィンドウ", - "no": "いいえ", - "on hover": "ホバー時", - "opacity": "透過度", - "parent window": "親ウィンドウ", - "stroke": "ストローク", - "weight": "線の太さ", - "yes": "はい", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# ハッシュ1つで主な見出し", - "## two hashes for second heading": "## ハッシュ2つで第二見出し", - "### three hashes for third heading": "### ハッシュ3つで第三見出し", - "**double star for bold**": "**アスタリスク2つで太字**", - "*simple star for italic*": "*アスタリスク1つでイタリック体*", - "--- 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 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": "マップを自分のアカウントに関連付ける", - "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": "クリックで描画を継続", - "Click to edit": "クリックで編集", - "Click to start drawing a line": "クリックでラインの描画開始", - "Click to start drawing a polygon": "クリックでポリゴンの描画開始", - "Clone": "複製", - "Clone of {name}": "{name}の複製", - "Clone this feature": "この地物を複製", - "Clone this map": "マップを複製", - "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.": "カンマ、タブ、セミコロンなどで区切られた値。SRSはWGS84が適用されます。ポイントのジオメトリのみがインポート対象です。インポートを行なう際は、カラムの先頭行を対象に «lat» と «lon» という文字列が検索されます。検索は行の最初から順に行われ、大文字と小文字は区別されません。その他のすべてのカラムは、プロパティとしてインポートされます。", - "Continue line": "ラインを延長", - "Continue line (Ctrl+Click)": "ラインを延長(Ctrl+クリック)", - "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": "Delay between two transitions when in play mode", - "Delete": "削除", - "Delete all layers": "すべてのレイヤを削除", - "Delete layer": "レイヤを削除", - "Delete this feature": "地物を削除", - "Delete this property on all the features": "すべての地物からこのプロパティを削除", - "Delete this shape": "このシェイプを削除", - "Delete this vertex (Alt+Click)": "このポイントを削除(Altを押しながらクリック)", - "Directions from here": "ここからの距離", - "Disable editing": "編集を終了", - "Display measure": "Display measure", - "Display on load": "読み込み時に表示", "Download": "ダンロード", "Download data": "データダウンロード", "Drag to reorder": "ドラッグして並べ替える", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "マーカーを配置", "Draw a polygon": "ポリゴンを描く", "Draw a polyline": "ポリゴンを描く", + "Drop": "しずく型", "Dynamic": "ダイナミック", "Dynamic properties": "動的なプロパティ", "Edit": "編集", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "マップ埋め込み", "Empty": "内容なし", "Enable editing": "編集を有効化", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "タイルレイヤのURLに誤りがあります", "Error while fetching {url}": "{url} の取得エラー", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "フルスクリーン表示を解除", "Extract shape to separate feature": "シェイプを複数の地物に変換", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "地図表示が変更されたらデータを再取得する", "Filter keys": "フィルタに使うキー", "Filter…": "フィルタ...", "Format": "フォーマット", "From zoom": "表示開始するズームレベル", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (リンクのみ)", + "GeoRSS (title + image)": "GeoRSS (タイトル+画像)", "Go to «{feature}»": "«{feature}»を表示", + "Heatmap": "ヒートマップ", "Heatmap intensity property": "ヒートマップ強調設定", "Heatmap radius": "ヒートマップ包括半径", "Help": "ヘルプ", "Hide controls": "操作パネルを非表示", "Home": "ホーム", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "各ズームレベルでのポリゴン簡略化 (more = パフォーマンスと滑らかさ重視, less = 正確さ重視)", + "Icon shape": "アイコン形状", + "Icon symbol": "アイコンシンボル", "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の縦幅を指定(ピクセル): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "新規レイヤをインポート", "Imports all umap data, including layers and settings.": "umapのデータをすべてインポート(レイヤ、設定を含む)", "Include full screen link?": "フルスクリーンのリンクを含める?", + "Inherit": "属性継承", "Interaction options": "ポップアップオプション", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "不正なumapデータ", "Invalid umap data in {filename}": "{filename} に不正なumapデータ", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "現在表示しているレイヤを保持", + "Label direction": "ラベルの位置", + "Label key": "ラベル表示するキー", + "Labels are clickable": "ラベルをクリックしてポップアップを表示", "Latitude": "緯度", "Layer": "レイヤ", "Layer properties": "レイヤープロパティ", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "ラインを結合", "More controls": "詳細操作パネル", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "CSSで有効な値を指定してください (例: DarkBlue, #123456など)", + "No cache": "No cache", "No licence has been set": "ライセンス指定がありません", "No results": "検索結果なし", + "No results for these filters": "No results for these filters", + "None": "なし", + "On the bottom": "下寄せ", + "On the left": "左寄せ", + "On the right": "右寄せ", + "On the top": "上寄せ", "Only visible features will be downloaded.": "表示中の地物のみがダウンロードされます。", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "Optional. Same as color if not set.": "オプション。設定がない場合、色指定と同様", "Override clustering radius (default 80)": "クラスタ包括半径を上書き (基本値 80)", "Override heatmap radius (default 25)": "ヒートマップ包括半径を上書き (基本値 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "このプロパティに新しい名称を付与してください", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "ポップアップコンテンツのテンプレート", + "Popup shape": "Popup shape", "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 format": "レスポンス形式に問題があります", @@ -262,12 +262,17 @@ var locale = { "See all": "すべて表示", "See data layers": "データレイヤを見る", "See full screen": "フルスクリーン表示", + "Select data": "Select data", "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…", + "Set symbol": "シンボルを設定", "Shape properties": "シェイプ表示プロパティ", "Short URL": "短縮URL", "Short credits": "短縮表示板クレジット", "Show/hide layer": "レイヤ表示/非表示", + "Side panel": "サイドパネル", "Simple link: [[http://example.com]]": "シンプルリンク: [[http://example.com]]", + "Simplify": "簡略化", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "スライドショー", "Smart transitions": "Smart transitions", "Sort key": "並び替えに使うキー", @@ -280,10 +285,13 @@ var locale = { "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.": "シンボルにはユニコード文字やURLを使えます。地物のプロパティを変数として使うこともできます。例: \"http://myserver.org/images/{name}.png\" であれば、{name}の部分はそれぞれのマーカーの\"name\"の値で置き換えられます。", + "Symbol or url": "シンボルまたはURL", "TMS format": "TMSフォーマット", + "Table": "テーブル", "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 unique identifier.": "The name of the property to use as feature unique identifier.", "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": "非表示にするズームレベル", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "編集できる人", "Who can view": "閲覧できる人", "Will be displayed in the bottom right corner of the map": "地図の右下に表示されます", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "おおおっと! 他の誰かがデータを編集したようです。あなたの編集内容をもう一度保存することもできますが、その場合、他の誰かが行った編集は削除されます。", "You have unsaved changes.": "編集が保存されていません", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "前にズーム", "Zoom to this feature": "この地物にズーム", "Zoom to this place": "この場所にズーム", + "always": "常時", "attribution": "著作権表示", "by": "by", + "clear": "クリア", + "collapsed": "ボタン", + "color": "色", + "dash array": "破線表示", + "define": "指定", + "description": "概要", "display name": "表示名", + "expanded": "リスト", + "fill": "塗りつぶし", + "fill color": "塗りつぶし色", + "fill opacity": "塗りつぶし透過度", "height": "縦幅", + "hidden": "隠す", + "iframe": "iframe", + "inherit": "属性継承", "licence": "ライセンス", "max East": "東端", "max North": "北端", @@ -332,10 +355,21 @@ var locale = { "max West": "西端", "max zoom": "最大ズーム", "min zoom": "最小ズーム", + "name": "名称", + "never": "表示しない", + "new window": "新規ウィンドウ", "next": "次へ", + "no": "いいえ", + "on hover": "ホバー時", + "opacity": "透過度", + "parent window": "親ウィンドウ", "previous": "前へ", + "stroke": "ストローク", + "weight": "線の太さ", "width": "横幅", + "yes": "はい", "{count} errors during import: {message}": "インポートで {count} 個のエラー: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "距離を計測", "NM": "NM", "kilometers": "キロメートル", @@ -343,45 +377,16 @@ var locale = { "mi": "マイル", "miles": "マイル", "nautical miles": "海里", - "{area} acres": "{area} エイカー", - "{area} ha": "{area} ヘクタール", - "{area} m²": "{area} m²", - "{area} mi²": "{area} 平方マイル", - "{area} yd²": "{area} 平方ヤード", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} マイル", - "{distance} yd": "{distance} ヤード", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} エイカー", + "{area} ha": "{area} ヘクタール", + "{area} m²": "{area} m²", + "{area} mi²": "{area} 平方マイル", + "{area} yd²": "{area} 平方ヤード", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} マイル", + "{distance} yd": "{distance} ヤード" }; L.registerLocale("ja", locale); L.setLocale("ja"); \ No newline at end of file diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index fedb8793..94c9ffe0 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# ハッシュ1つで主な見出し", + "## two hashes for second heading": "## ハッシュ2つで第二見出し", + "### three hashes for third heading": "### ハッシュ3つで第三見出し", + "**double star for bold**": "**アスタリスク2つで太字**", + "*simple star for italic*": "*アスタリスク1つでイタリック体*", + "--- for an horizontal rule": "--- 横方向の罫線", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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 new property": "プロパティ追加", + "Add a polygon to the current multi": "現在のマルチにポリゴンを追加", "Add symbol": "シンボルを追加", + "Advanced actions": "拡張アクション", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "拡張プロパティ", + "Advanced transition": "拡張トランジション", + "All properties are imported.": "すべてのプロパティがインポートされました。", + "Allow interactions": "インタラクションを許可", "Allow scroll wheel zoom?": "マウスホイールでのスクロールを許可?", + "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": "自動", "Automatic": "自動", + "Autostart when map is loaded": "マップ読み込み時に自動で開始", + "Background overlay url": "Background overlay url", "Ball": "まち針", + "Bring feature to center": "この地物を中心に表示", + "Browse data": "データ内容表示", + "Cache proxied request": "Cache proxied request", "Cancel": "キャンセル", + "Cancel edits": "編集を破棄", "Caption": "表題", + "Center map on your location": "閲覧者の位置をマップの中心に設定", + "Change map background": "背景地図を変更", "Change symbol": "シンボル変更", + "Change tilelayers": "タイルレイヤの変更", + "Choose a preset": "プリセット選択", "Choose the data format": "データ形式選択", + "Choose the format of the data to import": "インポートデータ形式を選択", "Choose the layer of the feature": "地物のレイヤを選択", + "Choose the layer to import in": "インポート対象レイヤ選択", "Circle": "円形", + "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": "クリックでポリゴンの描画開始", + "Clone": "複製", + "Clone of {name}": "{name}の複製", + "Clone this feature": "この地物を複製", + "Clone this map": "マップを複製", + "Close": "閉じる", "Clustered": "クラスタ化", + "Clustering radius": "クラスタ包括半径", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "カンマ、タブ、セミコロンなどで区切られた値。SRSはWGS84が適用されます。ポイントのジオメトリのみがインポート対象です。インポートを行なう際は、カラムの先頭行を対象に «lat» と «lon» という文字列が検索されます。検索は行の最初から順に行われ、大文字と小文字は区別されません。その他のすべてのカラムは、プロパティとしてインポートされます。", + "Continue line": "ラインを延長", + "Continue line (Ctrl+Click)": "ラインを延長(Ctrl+クリック)", + "Coordinates": "位置情報", + "Credits": "制作", + "Current view instead of default map view?": "デフォルトのマップ表示から現在の表示に切り替えますか?", + "Custom background": "独自背景", + "Custom overlay": "Custom overlay", "Data browser": "データブラウザ", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "デフォルト", + "Default interaction options": "標準のポップアップオプション", + "Default properties": "標準のプロパティ", + "Default shape properties": "標準のシェイプ表示プロパティ", "Default zoom level": "標準ズームレベル", "Default: name": "デフォルト: 名称", + "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 all layers": "すべてのレイヤを削除", + "Delete layer": "レイヤを削除", + "Delete this feature": "地物を削除", + "Delete this property on all the features": "すべての地物からこのプロパティを削除", + "Delete this shape": "このシェイプを削除", + "Delete this vertex (Alt+Click)": "このポイントを削除(Altを押しながらクリック)", + "Directions from here": "ここからの距離", + "Disable editing": "編集を終了", "Display label": "ラベルを表示", + "Display measure": "Display measure", + "Display on load": "読み込み時に表示", "Display the control to open OpenStreetMap editor": "OpenStreetMapエディタを起動するパネルを表示", "Display the data layers control": "データレイヤ操作パネルを表示", "Display the embed control": "サイトへのマップ埋め込みパネルを表示", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "フッタをポップアップしますか?", "Do you want to display the scale control?": "縮尺を表示しますか?", "Do you want to display the «more» control?": "«more»操作パネルを表示しますか?", - "Drop": "しずく型", - "GeoRSS (only link)": "GeoRSS (リンクのみ)", - "GeoRSS (title + image)": "GeoRSS (タイトル+画像)", - "Heatmap": "ヒートマップ", - "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": "ポップアップコンテンツのテンプレート", - "Set symbol": "シンボルを設定", - "Side panel": "サイドパネル", - "Simplify": "簡略化", - "Symbol or url": "シンボルまたはURL", - "Table": "テーブル", - "always": "常時", - "clear": "クリア", - "collapsed": "ボタン", - "color": "色", - "dash array": "破線表示", - "define": "指定", - "description": "概要", - "expanded": "リスト", - "fill": "塗りつぶし", - "fill color": "塗りつぶし色", - "fill opacity": "塗りつぶし透過度", - "hidden": "隠す", - "iframe": "iframe", - "inherit": "属性継承", - "name": "名称", - "never": "表示しない", - "new window": "新規ウィンドウ", - "no": "いいえ", - "on hover": "ホバー時", - "opacity": "透過度", - "parent window": "親ウィンドウ", - "stroke": "ストローク", - "weight": "線の太さ", - "yes": "はい", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# ハッシュ1つで主な見出し", - "## two hashes for second heading": "## ハッシュ2つで第二見出し", - "### three hashes for third heading": "### ハッシュ3つで第三見出し", - "**double star for bold**": "**アスタリスク2つで太字**", - "*simple star for italic*": "*アスタリスク1つでイタリック体*", - "--- 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 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": "マップを自分のアカウントに関連付ける", - "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": "クリックで描画を継続", - "Click to edit": "クリックで編集", - "Click to start drawing a line": "クリックでラインの描画開始", - "Click to start drawing a polygon": "クリックでポリゴンの描画開始", - "Clone": "複製", - "Clone of {name}": "{name}の複製", - "Clone this feature": "この地物を複製", - "Clone this map": "マップを複製", - "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.": "カンマ、タブ、セミコロンなどで区切られた値。SRSはWGS84が適用されます。ポイントのジオメトリのみがインポート対象です。インポートを行なう際は、カラムの先頭行を対象に «lat» と «lon» という文字列が検索されます。検索は行の最初から順に行われ、大文字と小文字は区別されません。その他のすべてのカラムは、プロパティとしてインポートされます。", - "Continue line": "ラインを延長", - "Continue line (Ctrl+Click)": "ラインを延長(Ctrl+クリック)", - "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": "Delay between two transitions when in play mode", - "Delete": "削除", - "Delete all layers": "すべてのレイヤを削除", - "Delete layer": "レイヤを削除", - "Delete this feature": "地物を削除", - "Delete this property on all the features": "すべての地物からこのプロパティを削除", - "Delete this shape": "このシェイプを削除", - "Delete this vertex (Alt+Click)": "このポイントを削除(Altを押しながらクリック)", - "Directions from here": "ここからの距離", - "Disable editing": "編集を終了", - "Display measure": "Display measure", - "Display on load": "読み込み時に表示", "Download": "ダンロード", "Download data": "データダウンロード", "Drag to reorder": "ドラッグして並べ替える", @@ -159,6 +125,7 @@ "Draw a marker": "マーカーを配置", "Draw a polygon": "ポリゴンを描く", "Draw a polyline": "ポリゴンを描く", + "Drop": "しずく型", "Dynamic": "ダイナミック", "Dynamic properties": "動的なプロパティ", "Edit": "編集", @@ -172,23 +139,31 @@ "Embed the map": "マップ埋め込み", "Empty": "内容なし", "Enable editing": "編集を有効化", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "タイルレイヤのURLに誤りがあります", "Error while fetching {url}": "{url} の取得エラー", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "フルスクリーン表示を解除", "Extract shape to separate feature": "シェイプを複数の地物に変換", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "地図表示が変更されたらデータを再取得する", "Filter keys": "フィルタに使うキー", "Filter…": "フィルタ...", "Format": "フォーマット", "From zoom": "表示開始するズームレベル", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (リンクのみ)", + "GeoRSS (title + image)": "GeoRSS (タイトル+画像)", "Go to «{feature}»": "«{feature}»を表示", + "Heatmap": "ヒートマップ", "Heatmap intensity property": "ヒートマップ強調設定", "Heatmap radius": "ヒートマップ包括半径", "Help": "ヘルプ", "Hide controls": "操作パネルを非表示", "Home": "ホーム", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "各ズームレベルでのポリゴン簡略化 (more = パフォーマンスと滑らかさ重視, less = 正確さ重視)", + "Icon shape": "アイコン形状", + "Icon symbol": "アイコンシンボル", "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の縦幅を指定(ピクセル): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "新規レイヤをインポート", "Imports all umap data, including layers and settings.": "umapのデータをすべてインポート(レイヤ、設定を含む)", "Include full screen link?": "フルスクリーンのリンクを含める?", + "Inherit": "属性継承", "Interaction options": "ポップアップオプション", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "不正なumapデータ", "Invalid umap data in {filename}": "{filename} に不正なumapデータ", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "現在表示しているレイヤを保持", + "Label direction": "ラベルの位置", + "Label key": "ラベル表示するキー", + "Labels are clickable": "ラベルをクリックしてポップアップを表示", "Latitude": "緯度", "Layer": "レイヤ", "Layer properties": "レイヤープロパティ", @@ -225,20 +206,39 @@ "Merge lines": "ラインを結合", "More controls": "詳細操作パネル", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "CSSで有効な値を指定してください (例: DarkBlue, #123456など)", + "No cache": "No cache", "No licence has been set": "ライセンス指定がありません", "No results": "検索結果なし", + "No results for these filters": "No results for these filters", + "None": "なし", + "On the bottom": "下寄せ", + "On the left": "左寄せ", + "On the right": "右寄せ", + "On the top": "上寄せ", "Only visible features will be downloaded.": "表示中の地物のみがダウンロードされます。", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "Optional. Same as color if not set.": "オプション。設定がない場合、色指定と同様", "Override clustering radius (default 80)": "クラスタ包括半径を上書き (基本値 80)", "Override heatmap radius (default 25)": "ヒートマップ包括半径を上書き (基本値 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "このプロパティに新しい名称を付与してください", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "ポップアップコンテンツのテンプレート", + "Popup shape": "Popup shape", "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 format": "レスポンス形式に問題があります", @@ -262,12 +262,17 @@ "See all": "すべて表示", "See data layers": "データレイヤを見る", "See full screen": "フルスクリーン表示", + "Select data": "Select data", "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…", + "Set symbol": "シンボルを設定", "Shape properties": "シェイプ表示プロパティ", "Short URL": "短縮URL", "Short credits": "短縮表示板クレジット", "Show/hide layer": "レイヤ表示/非表示", + "Side panel": "サイドパネル", "Simple link: [[http://example.com]]": "シンプルリンク: [[http://example.com]]", + "Simplify": "簡略化", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "スライドショー", "Smart transitions": "Smart transitions", "Sort key": "並び替えに使うキー", @@ -280,10 +285,13 @@ "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.": "シンボルにはユニコード文字やURLを使えます。地物のプロパティを変数として使うこともできます。例: \"http://myserver.org/images/{name}.png\" であれば、{name}の部分はそれぞれのマーカーの\"name\"の値で置き換えられます。", + "Symbol or url": "シンボルまたはURL", "TMS format": "TMSフォーマット", + "Table": "テーブル", "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 unique identifier.": "The name of the property to use as feature unique identifier.", "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": "非表示にするズームレベル", @@ -310,6 +318,7 @@ "Who can edit": "編集できる人", "Who can view": "閲覧できる人", "Will be displayed in the bottom right corner of the map": "地図の右下に表示されます", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "おおおっと! 他の誰かがデータを編集したようです。あなたの編集内容をもう一度保存することもできますが、その場合、他の誰かが行った編集は削除されます。", "You have unsaved changes.": "編集が保存されていません", @@ -321,10 +330,24 @@ "Zoom to the previous": "前にズーム", "Zoom to this feature": "この地物にズーム", "Zoom to this place": "この場所にズーム", + "always": "常時", "attribution": "著作権表示", "by": "by", + "clear": "クリア", + "collapsed": "ボタン", + "color": "色", + "dash array": "破線表示", + "define": "指定", + "description": "概要", "display name": "表示名", + "expanded": "リスト", + "fill": "塗りつぶし", + "fill color": "塗りつぶし色", + "fill opacity": "塗りつぶし透過度", "height": "縦幅", + "hidden": "隠す", + "iframe": "iframe", + "inherit": "属性継承", "licence": "ライセンス", "max East": "東端", "max North": "北端", @@ -332,10 +355,21 @@ "max West": "西端", "max zoom": "最大ズーム", "min zoom": "最小ズーム", + "name": "名称", + "never": "表示しない", + "new window": "新規ウィンドウ", "next": "次へ", + "no": "いいえ", + "on hover": "ホバー時", + "opacity": "透過度", + "parent window": "親ウィンドウ", "previous": "前へ", + "stroke": "ストローク", + "weight": "線の太さ", "width": "横幅", + "yes": "はい", "{count} errors during import: {message}": "インポートで {count} 個のエラー: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "距離を計測", "NM": "NM", "kilometers": "キロメートル", @@ -343,43 +377,14 @@ "mi": "マイル", "miles": "マイル", "nautical miles": "海里", - "{area} acres": "{area} エイカー", - "{area} ha": "{area} ヘクタール", - "{area} m²": "{area} m²", - "{area} mi²": "{area} 平方マイル", - "{area} yd²": "{area} 平方ヤード", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} マイル", - "{distance} yd": "{distance} ヤード", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} エイカー", + "{area} ha": "{area} ヘクタール", + "{area} m²": "{area} m²", + "{area} mi²": "{area} 平方マイル", + "{area} yd²": "{area} 平方ヤード", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} マイル", + "{distance} yd": "{distance} ヤード" } \ No newline at end of file diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index 176d1e7e..d057bdc7 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# 주요 단락", + "## two hashes for second heading": "## 2차 단락", + "### three hashes for third heading": "### 3차 단락", + "**double star for bold**": "**굵게 표시**", + "*simple star for italic*": "*이탤릭체*", + "--- for an horizontal rule": "--- 수평선", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "슬라이드 쇼 모드 활성화", + "Add a layer": "레이어 추가", + "Add a line to the current multi": "현재 무늬에 선 추가", + "Add a new property": "새로운 속성 추가", + "Add a polygon to the current multi": "현재 무늬에 도형 추가", "Add symbol": "심볼 추가", + "Advanced actions": "고급 동작", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "고급 속성", + "Advanced transition": "고급 전환", + "All properties are imported.": "모든 속성이 삽입되었습니다.", + "Allow interactions": "상호 작용 허용", "Allow scroll wheel zoom?": "마우스 휠로 확대/축소할 수 있도록 하시겠습니까?", + "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": "자동", "Automatic": "자동", + "Autostart when map is loaded": "지도를 불러올 때 자동으로 시작", + "Background overlay url": "Background overlay url", "Ball": "공", + "Bring feature to center": "지물을 한가운데로 가져오기", + "Browse data": "데이터 검색", + "Cache proxied request": "Cache proxied request", "Cancel": "취소", + "Cancel edits": "편집 내역 취소", "Caption": "캡션", + "Center map on your location": "지도에서 나의 위치를 가운데로 놓기", + "Change map background": "배경 지도 변경", "Change symbol": "심볼 변경", + "Change tilelayers": "타일 레이어 변경", + "Choose a preset": "프리셋 선택", "Choose the data format": "데이터 포맷 선택", + "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer of the feature": "지물이 속할 레이어 선택", + "Choose the layer to import in": "삽입할 레이어 선택", "Circle": "원", + "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": "도형을 그리려면 클릭", + "Clone": "복제", + "Clone of {name}": "{name}의 복제본", + "Clone this feature": "이 지물 복제", + "Clone this map": "이 지도 복제", + "Close": "닫기", "Clustered": "모여 있음", + "Clustering radius": "분포 반경", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "데이터 브라우저", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "기본값", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "기본 배율", "Default: name": "기본값: 이름", + "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 label": "라벨 표시", + "Display measure": "Display measure", + "Display on load": "Display on load", "Display the control to open OpenStreetMap editor": "OpenStreetMap 편집기 열기 버튼 표시", "Display the data layers control": "데이터 레이어 버튼 표시", "Display the embed control": "삽입 버튼 표시", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "라벨을 클릭할 수 있음", - "None": "없음", - "On the bottom": "아래쪽", - "On the left": "왼쪽", - "On the right": "오른쪽", - "On the top": "위", - "Popup content template": "팝업 내용", - "Set symbol": "심볼 설정", - "Side panel": "가장자리 패널", - "Simplify": "단순화", - "Symbol or url": "심볼이나 URL", - "Table": "표", - "always": "항상", - "clear": "초기화", - "collapsed": "최소화", - "color": "색상", - "dash array": "줄표 나열", - "define": "정의", - "description": "설명", - "expanded": "최대화", - "fill": "채우기", - "fill color": "채울 색", - "fill opacity": "채울 불투명도", - "hidden": "숨기기", - "iframe": "iframe", - "inherit": "상속", - "name": "이름", - "never": "띄우지 않기", - "new window": "새 창", - "no": "아니오", - "on hover": "띄우기", - "opacity": "불투명도", - "parent window": "부모 화면", - "stroke": "획", - "weight": "높이", - "yes": "예", - "{delay} seconds": "{delay}초", - "# one hash for main heading": "# 주요 단락", - "## two hashes for second heading": "## 2차 단락", - "### three hashes for third heading": "### 3차 단락", - "**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\".", - "About": "정보", - "Action not allowed :(": "허용되지 않은 동작입니다 :(", - "Activate slideshow mode": "슬라이드 쇼 모드 활성화", - "Add a layer": "레이어 추가", - "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": "지도를 계정에 첨부", - "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": "계속 그리려면 클릭", - "Click to edit": "편집하려면 클릭", - "Click to start drawing a line": "선을 그리려면 클릭", - "Click to start drawing a polygon": "도형을 그리려면 클릭", - "Clone": "복제", - "Clone of {name}": "{name}의 복제본", - "Clone this feature": "이 지물 복제", - "Clone this map": "이 지도 복제", - "Close": "닫기", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "놓기", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS(링크만)", + "GeoRSS (title + image)": "GeoRSS(제목 + 이미지)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "히트맵", "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)", + "Icon shape": "아이콘 모양", + "Icon symbol": "아이콘 심볼", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "상속", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "라벨의 방향", + "Label key": "라벨의 키", + "Labels are clickable": "라벨을 클릭할 수 있음", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "없음", + "On the bottom": "아래쪽", + "On the left": "왼쪽", + "On the right": "오른쪽", + "On the top": "위", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "팝업 내용", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "심볼 설정", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "가장자리 패널", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "단순화", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "심볼이나 URL", "TMS format": "TMS format", + "Table": "표", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "항상", "attribution": "attribution", "by": "by", + "clear": "초기화", + "collapsed": "최소화", + "color": "색상", + "dash array": "줄표 나열", + "define": "정의", + "description": "설명", "display name": "display name", + "expanded": "최대화", + "fill": "채우기", + "fill color": "채울 색", + "fill opacity": "채울 불투명도", "height": "height", + "hidden": "숨기기", + "iframe": "iframe", + "inherit": "상속", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "이름", + "never": "띄우지 않기", + "new window": "새 창", "next": "next", + "no": "아니오", + "on hover": "띄우기", + "opacity": "불투명도", + "parent window": "부모 화면", "previous": "previous", + "stroke": "획", + "weight": "높이", "width": "width", + "yes": "예", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay}초", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("ko", locale); -L.setLocale("ko"); +L.setLocale("ko"); \ No newline at end of file diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index f9045c15..e277f00a 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# 주요 단락", + "## two hashes for second heading": "## 2차 단락", + "### three hashes for third heading": "### 3차 단락", + "**double star for bold**": "**굵게 표시**", + "*simple star for italic*": "*이탤릭체*", + "--- for an horizontal rule": "--- 수평선", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "슬라이드 쇼 모드 활성화", + "Add a layer": "레이어 추가", + "Add a line to the current multi": "현재 무늬에 선 추가", + "Add a new property": "새로운 속성 추가", + "Add a polygon to the current multi": "현재 무늬에 도형 추가", "Add symbol": "심볼 추가", + "Advanced actions": "고급 동작", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "고급 속성", + "Advanced transition": "고급 전환", + "All properties are imported.": "모든 속성이 삽입되었습니다.", + "Allow interactions": "상호 작용 허용", "Allow scroll wheel zoom?": "마우스 휠로 확대/축소할 수 있도록 하시겠습니까?", + "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": "자동", "Automatic": "자동", + "Autostart when map is loaded": "지도를 불러올 때 자동으로 시작", + "Background overlay url": "Background overlay url", "Ball": "공", + "Bring feature to center": "지물을 한가운데로 가져오기", + "Browse data": "데이터 검색", + "Cache proxied request": "Cache proxied request", "Cancel": "취소", + "Cancel edits": "편집 내역 취소", "Caption": "캡션", + "Center map on your location": "지도에서 나의 위치를 가운데로 놓기", + "Change map background": "배경 지도 변경", "Change symbol": "심볼 변경", + "Change tilelayers": "타일 레이어 변경", + "Choose a preset": "프리셋 선택", "Choose the data format": "데이터 포맷 선택", + "Choose the format of the data to import": "삽입할 데이터의 포맷 선택", "Choose the layer of the feature": "지물이 속할 레이어 선택", + "Choose the layer to import in": "삽입할 레이어 선택", "Circle": "원", + "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": "도형을 그리려면 클릭", + "Clone": "복제", + "Clone of {name}": "{name}의 복제본", + "Clone this feature": "이 지물 복제", + "Clone this map": "이 지도 복제", + "Close": "닫기", "Clustered": "모여 있음", + "Clustering radius": "분포 반경", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "데이터 브라우저", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "기본값", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "기본 배율", "Default: name": "기본값: 이름", + "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 label": "라벨 표시", + "Display measure": "Display measure", + "Display on load": "Display on load", "Display the control to open OpenStreetMap editor": "OpenStreetMap 편집기 열기 버튼 표시", "Display the data layers control": "데이터 레이어 버튼 표시", "Display the embed control": "삽입 버튼 표시", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "라벨을 클릭할 수 있음", - "None": "없음", - "On the bottom": "아래쪽", - "On the left": "왼쪽", - "On the right": "오른쪽", - "On the top": "위", - "Popup content template": "팝업 내용", - "Set symbol": "심볼 설정", - "Side panel": "가장자리 패널", - "Simplify": "단순화", - "Symbol or url": "심볼이나 URL", - "Table": "표", - "always": "항상", - "clear": "초기화", - "collapsed": "최소화", - "color": "색상", - "dash array": "줄표 나열", - "define": "정의", - "description": "설명", - "expanded": "최대화", - "fill": "채우기", - "fill color": "채울 색", - "fill opacity": "채울 불투명도", - "hidden": "숨기기", - "iframe": "iframe", - "inherit": "상속", - "name": "이름", - "never": "띄우지 않기", - "new window": "새 창", - "no": "아니오", - "on hover": "띄우기", - "opacity": "불투명도", - "parent window": "부모 화면", - "stroke": "획", - "weight": "높이", - "yes": "예", - "{delay} seconds": "{delay}초", - "# one hash for main heading": "# 주요 단락", - "## two hashes for second heading": "## 2차 단락", - "### three hashes for third heading": "### 3차 단락", - "**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\".", - "About": "정보", - "Action not allowed :(": "허용되지 않은 동작입니다 :(", - "Activate slideshow mode": "슬라이드 쇼 모드 활성화", - "Add a layer": "레이어 추가", - "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": "지도를 계정에 첨부", - "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": "계속 그리려면 클릭", - "Click to edit": "편집하려면 클릭", - "Click to start drawing a line": "선을 그리려면 클릭", - "Click to start drawing a polygon": "도형을 그리려면 클릭", - "Clone": "복제", - "Clone of {name}": "{name}의 복제본", - "Clone this feature": "이 지물 복제", - "Clone this map": "이 지도 복제", - "Close": "닫기", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "놓기", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS(링크만)", + "GeoRSS (title + image)": "GeoRSS(제목 + 이미지)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "히트맵", "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)", + "Icon shape": "아이콘 모양", + "Icon symbol": "아이콘 심볼", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "상속", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "라벨의 방향", + "Label key": "라벨의 키", + "Labels are clickable": "라벨을 클릭할 수 있음", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "없음", + "On the bottom": "아래쪽", + "On the left": "왼쪽", + "On the right": "오른쪽", + "On the top": "위", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "팝업 내용", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "심볼 설정", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "가장자리 패널", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "단순화", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "심볼이나 URL", "TMS format": "TMS format", + "Table": "표", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "항상", "attribution": "attribution", "by": "by", + "clear": "초기화", + "collapsed": "최소화", + "color": "색상", + "dash array": "줄표 나열", + "define": "정의", + "description": "설명", "display name": "display name", + "expanded": "최대화", + "fill": "채우기", + "fill color": "채울 색", + "fill opacity": "채울 불투명도", "height": "height", + "hidden": "숨기기", + "iframe": "iframe", + "inherit": "상속", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "이름", + "never": "띄우지 않기", + "new window": "새 창", "next": "next", + "no": "아니오", + "on hover": "띄우기", + "opacity": "불투명도", + "parent window": "부모 화면", "previous": "previous", + "stroke": "획", + "weight": "높이", "width": "width", + "yes": "예", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay}초", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" -} + "{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" +} \ No newline at end of file diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 01d7e38f..ec66f126 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# viena grotelė pagrindinei antraštei", + "## two hashes for second heading": "## dvi grotelės antraštei", + "### three hashes for third heading": "### trys grotelės trečio lygio pastraipai", + "**double star for bold**": "**dviguba žvaigždutė paryškintam tekstui**", + "*simple star for italic*": "*viena žvaigždutė pasvyriajam tekstui*", + "--- for an horizontal rule": "--- horizontaliai linijai", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Apie", + "Action not allowed :(": "Veiksmas nėra leidžiamas :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Pridėti sluoksnį", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Pridėti naują savybę", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Pridėti simbolį", + "Advanced actions": "Sudėtingesni veiksmai", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Sudėtingesni nustatymai", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Visi objektai importuoti.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Leisti pelės ratuko veiksmus?", + "An error occured": "Įvyko klaida", + "Are you sure you want to cancel your changes?": "Ar tikrai nori atšaukti savo pakeitimus?", + "Are you sure you want to clone this map and all its datalayers?": "Ar tikrai norite nukopijuoti šį žemėlapį ir visus jo duomenų sluoksnius?", + "Are you sure you want to delete the feature?": "Ar tikrai norite ištrinti šį objektą?", + "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?": "Ar Jūs tikrai norite ištrinti šį žemėlapį?", + "Are you sure you want to delete this property on all the features?": "Ar tikrai norite pašalinti šią savybę visiem objektams?", + "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": "Automatiškai", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Rutulys", + "Bring feature to center": "Pastumti objektą į centrą", + "Browse data": "Peržiūrėti duomenis", + "Cache proxied request": "Cache proxied request", "Cancel": "Atšaukti", + "Cancel edits": "Atšaukti pakeitimus", "Caption": "Antraštė", + "Center map on your location": "Centruoti pagal Jūsų vietovę", + "Change map background": "Keisti žemėlapio foną", "Change symbol": "Pakeisti simbolį", + "Change tilelayers": "Pakeisti sluoksnius", + "Choose a preset": "Pasirinkite šabloną", "Choose the data format": "Pasirinkite duomenų formatą", + "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer of the feature": "Pasirinkite objekto sluoksnį", + "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Circle": "Apskritimas", + "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", + "Click to add a marker": "Paspauskite kad pridėti žymeklį", + "Click to continue drawing": "Paspauskite kad tęsti piešimą", + "Click to edit": "Click to edit", + "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", + "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", + "Clone": "Kopijuoti", + "Clone of {name}": "{name} kopija", + "Clone this feature": "Clone this feature", + "Clone this map": "Klonuoti šį žemėlapį", + "Close": "Uždaryti", "Clustered": "Sugrupuota", + "Clustering radius": "Grupavimo spindulys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kableliu atskirtas savybių sąrašas naudojamas objektų filtrui", + "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.": "Kableliu, tab'u arba kabliataškiu atskirtos reikšmės. SRS WGS84 yra palaikomas. Tik taškai yra importuoti. Importuojant bus patikrintos stulpelių antraštės ieškant pavadinimų \"lat\" ir \"lon\". Visi kiti stulpeliai bus įtraukti kaip papildomi atributai.", + "Continue line": "Continue line", + "Continue line (Ctrl+Click)": "Tęsti liniją (Ctrl+Klavišas)", + "Coordinates": "Koordinatės", + "Credits": "Apie kūrėjus", + "Current view instead of default map view?": "Naudoti esamą vaizdą vietoje standartinio?", + "Custom background": "Pritaikytas fonas", + "Custom overlay": "Custom overlay", "Data browser": "Duomenų naršyklė", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Pagal nutylėjimą", + "Default interaction options": "Default interaction options", + "Default properties": "Nustatymai pagal nutylėjimą", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Pagal nutylėjimą: name", + "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": "Trinti", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Ištrinti šį objektą", + "Delete this property on all the features": "Pašalinti šį parametrą visuose objektuose", + "Delete this shape": "Delete this shape", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Nuorodos iš šio taško", + "Disable editing": "Uždrausti redagavimą", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Rodyti pasikrovus", "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", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Ar norite rodyti antraštę?", "Do you want to display a minimap?": "Ar norite rodyti mini žemėlapį?", "Do you want to display a panel on load?": "Ar norite rodyti panelę kraunantis?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Ar norite rodyti iškylančio lango paraštę?", "Do you want to display the scale control?": "Ar norite rodyti žemėlapio skalės valdymą?", "Do you want to display the «more» control?": "Ar norite rodyti nuorodą \"daugiau\"?", - "Drop": "Atmesti", - "GeoRSS (only link)": "GeoRSS (tik nuoroda)", - "GeoRSS (title + image)": "GeoRSS (pavadinimas + paveikslas)", - "Heatmap": "Tankio žemėlapis", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", - "Inherit": "Paveldėti", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Nieko", - "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'o turinio šablonas", - "Set symbol": "Set symbol", - "Side panel": "Šoninis skydelis", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "Lentelė", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "spalva", - "dash array": "brūkšnių masyvas", - "define": "define", - "description": "aprašymas", - "expanded": "expanded", - "fill": "užpildyti", - "fill color": "ploto spalva", - "fill opacity": "ploto skaidrumas", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "paveldėti", - "name": "vardas", - "never": "never", - "new window": "new window", - "no": "ne", - "on hover": "on hover", - "opacity": "nepermatomumas", - "parent window": "parent window", - "stroke": "brūkšnys", - "weight": "svoris", - "yes": "taip", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# viena grotelė pagrindinei antraštei", - "## two hashes for second heading": "## dvi grotelės antraštei", - "### three hashes for third heading": "### trys grotelės trečio lygio pastraipai", - "**double star for bold**": "**dviguba žvaigždutė paryškintam tekstui**", - "*simple star for italic*": "*viena žvaigždutė pasvyriajam tekstui*", - "--- for an horizontal rule": "--- horizontaliai linijai", - "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": "Apie", - "Action not allowed :(": "Veiksmas nėra leidžiamas :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Pridėti sluoksnį", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Pridėti naują savybę", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Sudėtingesni veiksmai", - "Advanced properties": "Sudėtingesni nustatymai", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Visi objektai importuoti.", - "Allow interactions": "Allow interactions", - "An error occured": "Įvyko klaida", - "Are you sure you want to cancel your changes?": "Ar tikrai nori atšaukti savo pakeitimus?", - "Are you sure you want to clone this map and all its datalayers?": "Ar tikrai norite nukopijuoti šį žemėlapį ir visus jo duomenų sluoksnius?", - "Are you sure you want to delete the feature?": "Ar tikrai norite ištrinti šį objektą?", - "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?": "Ar Jūs tikrai norite ištrinti šį žemėlapį?", - "Are you sure you want to delete this property on all the features?": "Ar tikrai norite pašalinti šią savybę visiem objektams?", - "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": "Automatiškai", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Pastumti objektą į centrą", - "Browse data": "Peržiūrėti duomenis", - "Cancel edits": "Atšaukti pakeitimus", - "Center map on your location": "Centruoti pagal Jūsų vietovę", - "Change map background": "Keisti žemėlapio foną", - "Change tilelayers": "Pakeisti sluoksnius", - "Choose a preset": "Pasirinkite šabloną", - "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", - "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing": "Paspauskite kad tęsti piešimą", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", - "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", - "Clone": "Kopijuoti", - "Clone of {name}": "{name} kopija", - "Clone this feature": "Clone this feature", - "Clone this map": "Klonuoti šį žemėlapį", - "Close": "Uždaryti", - "Clustering radius": "Grupavimo spindulys", - "Comma separated list of properties to use when filtering features": "Kableliu atskirtas savybių sąrašas naudojamas objektų filtrui", - "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.": "Kableliu, tab'u arba kabliataškiu atskirtos reikšmės. SRS WGS84 yra palaikomas. Tik taškai yra importuoti. Importuojant bus patikrintos stulpelių antraštės ieškant pavadinimų \"lat\" ir \"lon\". Visi kiti stulpeliai bus įtraukti kaip papildomi atributai.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Tęsti liniją (Ctrl+Klavišas)", - "Coordinates": "Koordinatės", - "Credits": "Apie kūrėjus", - "Current view instead of default map view?": "Naudoti esamą vaizdą vietoje standartinio?", - "Custom background": "Pritaikytas fonas", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Nustatymai pagal nutylėjimą", - "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": "Trinti", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Ištrinti šį objektą", - "Delete this property on all the features": "Pašalinti šį parametrą visuose objektuose", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Nuorodos iš šio taško", - "Disable editing": "Uždrausti redagavimą", - "Display measure": "Display measure", - "Display on load": "Rodyti pasikrovus", "Download": "Download", "Download data": "Atsisiųsti duomenis", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Padėti žymeklį", "Draw a polygon": "Piešti poligoną", "Draw a polyline": "Piešti linijas", + "Drop": "Atmesti", "Dynamic": "Dinaminis", "Dynamic properties": "Dinaminės savybės", "Edit": "Redaguoti", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Įsikelti šį žemėlapį", "Empty": "Tuščias", "Enable editing": "Leisti redaguoti", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Klaida tile-sluoksnio URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtruoti...", "Format": "Formatas", "From zoom": "Mažiausias mastelis", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (tik nuoroda)", + "GeoRSS (title + image)": "GeoRSS (pavadinimas + paveikslas)", "Go to «{feature}»": "Eiti į «{feature}»", + "Heatmap": "Tankio žemėlapis", "Heatmap intensity property": "Tankio žemėlpaio faktorius", "Heatmap radius": "Tankio žemėlapio spindulys", "Help": "Pagalba", "Hide controls": "Slėpti mygtukus", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kaip stipriai supaprastinti linijas kiekviename mastelyje (daugiau - diesnis greitis ir lygesnis vaizdas, mažiau - tikslesnis atvaizdavimas)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "If false, the polygon will act as a part of the underlying map.": "Jei false, poligonas bus pagrindinio žemėlapio dalis.", "Iframe export options": "Iframe export nustatymai", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe su nurodytu aukščiu (pikseliais): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importuoti naują sluoksnį", "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", "Include full screen link?": "Įtraukti nuorodą į viso ekrano vaizdą?", + "Inherit": "Paveldėti", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Esamus sluoksnius palikti matomais", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Platuma", "Layer": "Sluoksnis", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Merge lines", "More controls": "Daugiau valdymo mygtukų", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Nenustatyta licenzija", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Nieko", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Tik matomi objektai bus atsiųsti.", + "Open current feature on load": "Open current feature on load", "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": "Atidaryti šį plotą duomenų redagavimui per OpenStreetMap", "Optional intensity property for heatmap": "Papildomas intensyvumo faktorius", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Neprivalomas. Toks pats kaip ir spalva, jei nenustatyta.", "Override clustering radius (default 80)": "Perrašyti grupavimo spindulį (pagal nutylėjimą 80)", "Override heatmap radius (default 25)": "Perrašyti tankio žemėlapio spindulį (pagal nutylėjimą 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prašom pasitikrinti ar licezija tikrai tinka Jūsų poreikiams.", "Please choose a format": "Pasirinkite formatą", "Please enter the name of the property": "Įveskite, prašom, savybės pavadinimą", "Please enter the new name of this property": "Įveskite, prašom, naują savybės pavadinimą", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup'o turinio šablonas", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Pagaminta naudojant Leaflet ir Django, apjungta pagal uMap projektą.", "Problem in the response": "Klaida atsakyme", "Problem in the response format": "Klaida atsakymo formate", @@ -262,12 +262,17 @@ var locale = { "See all": "Išsaugoti viską", "See data layers": "See data layers", "See full screen": "Peržiūrėti per visą ekraną", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Trumpas URL", "Short credits": "Trumpai apie kūrėjus", "Show/hide layer": "Rodyti/slėpti sluoksnį", + "Side panel": "Šoninis skydelis", "Simple link: [[http://example.com]]": "Paprasta nuoroda: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Peržiūra", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Palaikoma struktūra", "Supported variables that will be dynamically replaced": "Palaikomi kintamieji bus automatiškai perrašyti", "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS formatas", + "Table": "Lentelė", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Naudoti jei serveris neleidžia cross domain užklausų (lėtesnis sprendimas)", "To zoom": "Padidinti", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Bus rodomas apatiniame dešiniame žemėlapio kampe", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bus matoma žemėlapio antraštėje", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Dėmesio! Kažkas kitas jau paredagavo šiuos duomenis. Jūs galite išsaugoti, bet tuomet bus prarasti kiti pakeitimai.", "You have unsaved changes.": "You have unsaved changes.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Priartinti ankstesnį", "Zoom to this feature": "Išdidinti šį objektą", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "atributai", "by": "pagal", + "clear": "clear", + "collapsed": "collapsed", + "color": "spalva", + "dash array": "brūkšnių masyvas", + "define": "define", + "description": "aprašymas", "display name": "rodyti pavadinimą", + "expanded": "expanded", + "fill": "užpildyti", + "fill color": "ploto spalva", + "fill opacity": "ploto skaidrumas", "height": "aukštis", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "paveldėti", "licence": "licenzija", "max East": "max Rytų", "max North": "max Šiaurės", @@ -332,10 +355,21 @@ var locale = { "max West": "max Vakarų", "max zoom": "didžiausias mastelis", "min zoom": "mažiausias mastelis", + "name": "vardas", + "never": "never", + "new window": "new window", "next": "next", + "no": "ne", + "on hover": "on hover", + "opacity": "nepermatomumas", + "parent window": "parent window", "previous": "previous", + "stroke": "brūkšnys", + "weight": "svoris", "width": "plotis", + "yes": "taip", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("lt", locale); L.setLocale("lt"); \ No newline at end of file diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index b668b5f5..a0b57ace 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# viena grotelė pagrindinei antraštei", + "## two hashes for second heading": "## dvi grotelės antraštei", + "### three hashes for third heading": "### trys grotelės trečio lygio pastraipai", + "**double star for bold**": "**dviguba žvaigždutė paryškintam tekstui**", + "*simple star for italic*": "*viena žvaigždutė pasvyriajam tekstui*", + "--- for an horizontal rule": "--- horizontaliai linijai", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Apie", + "Action not allowed :(": "Veiksmas nėra leidžiamas :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Pridėti sluoksnį", + "Add a line to the current multi": "Add a line to the current multi", + "Add a new property": "Pridėti naują savybę", + "Add a polygon to the current multi": "Add a polygon to the current multi", "Add symbol": "Pridėti simbolį", + "Advanced actions": "Sudėtingesni veiksmai", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Sudėtingesni nustatymai", + "Advanced transition": "Advanced transition", + "All properties are imported.": "Visi objektai importuoti.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Leisti pelės ratuko veiksmus?", + "An error occured": "Įvyko klaida", + "Are you sure you want to cancel your changes?": "Ar tikrai nori atšaukti savo pakeitimus?", + "Are you sure you want to clone this map and all its datalayers?": "Ar tikrai norite nukopijuoti šį žemėlapį ir visus jo duomenų sluoksnius?", + "Are you sure you want to delete the feature?": "Ar tikrai norite ištrinti šį objektą?", + "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?": "Ar Jūs tikrai norite ištrinti šį žemėlapį?", + "Are you sure you want to delete this property on all the features?": "Ar tikrai norite pašalinti šią savybę visiem objektams?", + "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": "Automatiškai", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Rutulys", + "Bring feature to center": "Pastumti objektą į centrą", + "Browse data": "Peržiūrėti duomenis", + "Cache proxied request": "Cache proxied request", "Cancel": "Atšaukti", + "Cancel edits": "Atšaukti pakeitimus", "Caption": "Antraštė", + "Center map on your location": "Centruoti pagal Jūsų vietovę", + "Change map background": "Keisti žemėlapio foną", "Change symbol": "Pakeisti simbolį", + "Change tilelayers": "Pakeisti sluoksnius", + "Choose a preset": "Pasirinkite šabloną", "Choose the data format": "Pasirinkite duomenų formatą", + "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", "Choose the layer of the feature": "Pasirinkite objekto sluoksnį", + "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", "Circle": "Apskritimas", + "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", + "Click to add a marker": "Paspauskite kad pridėti žymeklį", + "Click to continue drawing": "Paspauskite kad tęsti piešimą", + "Click to edit": "Click to edit", + "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", + "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", + "Clone": "Kopijuoti", + "Clone of {name}": "{name} kopija", + "Clone this feature": "Clone this feature", + "Clone this map": "Klonuoti šį žemėlapį", + "Close": "Uždaryti", "Clustered": "Sugrupuota", + "Clustering radius": "Grupavimo spindulys", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Kableliu atskirtas savybių sąrašas naudojamas objektų filtrui", + "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.": "Kableliu, tab'u arba kabliataškiu atskirtos reikšmės. SRS WGS84 yra palaikomas. Tik taškai yra importuoti. Importuojant bus patikrintos stulpelių antraštės ieškant pavadinimų \"lat\" ir \"lon\". Visi kiti stulpeliai bus įtraukti kaip papildomi atributai.", + "Continue line": "Continue line", + "Continue line (Ctrl+Click)": "Tęsti liniją (Ctrl+Klavišas)", + "Coordinates": "Koordinatės", + "Credits": "Apie kūrėjus", + "Current view instead of default map view?": "Naudoti esamą vaizdą vietoje standartinio?", + "Custom background": "Pritaikytas fonas", + "Custom overlay": "Custom overlay", "Data browser": "Duomenų naršyklė", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Pagal nutylėjimą", + "Default interaction options": "Default interaction options", + "Default properties": "Nustatymai pagal nutylėjimą", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Pagal nutylėjimą: name", + "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": "Trinti", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Ištrinti šį objektą", + "Delete this property on all the features": "Pašalinti šį parametrą visuose objektuose", + "Delete this shape": "Delete this shape", + "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Directions from here": "Nuorodos iš šio taško", + "Disable editing": "Uždrausti redagavimą", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Rodyti pasikrovus", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Ar norite rodyti antraštę?", "Do you want to display a minimap?": "Ar norite rodyti mini žemėlapį?", "Do you want to display a panel on load?": "Ar norite rodyti panelę kraunantis?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Ar norite rodyti iškylančio lango paraštę?", "Do you want to display the scale control?": "Ar norite rodyti žemėlapio skalės valdymą?", "Do you want to display the «more» control?": "Ar norite rodyti nuorodą \"daugiau\"?", - "Drop": "Atmesti", - "GeoRSS (only link)": "GeoRSS (tik nuoroda)", - "GeoRSS (title + image)": "GeoRSS (pavadinimas + paveikslas)", - "Heatmap": "Tankio žemėlapis", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", - "Inherit": "Paveldėti", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "Nieko", - "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'o turinio šablonas", - "Set symbol": "Set symbol", - "Side panel": "Šoninis skydelis", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "Lentelė", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "spalva", - "dash array": "brūkšnių masyvas", - "define": "define", - "description": "aprašymas", - "expanded": "expanded", - "fill": "užpildyti", - "fill color": "ploto spalva", - "fill opacity": "ploto skaidrumas", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "paveldėti", - "name": "vardas", - "never": "never", - "new window": "new window", - "no": "ne", - "on hover": "on hover", - "opacity": "nepermatomumas", - "parent window": "parent window", - "stroke": "brūkšnys", - "weight": "svoris", - "yes": "taip", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# viena grotelė pagrindinei antraštei", - "## two hashes for second heading": "## dvi grotelės antraštei", - "### three hashes for third heading": "### trys grotelės trečio lygio pastraipai", - "**double star for bold**": "**dviguba žvaigždutė paryškintam tekstui**", - "*simple star for italic*": "*viena žvaigždutė pasvyriajam tekstui*", - "--- for an horizontal rule": "--- horizontaliai linijai", - "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": "Apie", - "Action not allowed :(": "Veiksmas nėra leidžiamas :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Pridėti sluoksnį", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Pridėti naują savybę", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Sudėtingesni veiksmai", - "Advanced properties": "Sudėtingesni nustatymai", - "Advanced transition": "Advanced transition", - "All properties are imported.": "Visi objektai importuoti.", - "Allow interactions": "Allow interactions", - "An error occured": "Įvyko klaida", - "Are you sure you want to cancel your changes?": "Ar tikrai nori atšaukti savo pakeitimus?", - "Are you sure you want to clone this map and all its datalayers?": "Ar tikrai norite nukopijuoti šį žemėlapį ir visus jo duomenų sluoksnius?", - "Are you sure you want to delete the feature?": "Ar tikrai norite ištrinti šį objektą?", - "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?": "Ar Jūs tikrai norite ištrinti šį žemėlapį?", - "Are you sure you want to delete this property on all the features?": "Ar tikrai norite pašalinti šią savybę visiem objektams?", - "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": "Automatiškai", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Pastumti objektą į centrą", - "Browse data": "Peržiūrėti duomenis", - "Cancel edits": "Atšaukti pakeitimus", - "Center map on your location": "Centruoti pagal Jūsų vietovę", - "Change map background": "Keisti žemėlapio foną", - "Change tilelayers": "Pakeisti sluoksnius", - "Choose a preset": "Pasirinkite šabloną", - "Choose the format of the data to import": "Pasirinkite importuojamų uomenų formatą", - "Choose the layer to import in": "Pasirinkite sluoksnį importavimui", - "Click last point to finish shape": "Paspauskite ant paskutinio taško kad baigti piešimą", - "Click to add a marker": "Paspauskite kad pridėti žymeklį", - "Click to continue drawing": "Paspauskite kad tęsti piešimą", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Paspauskite ir pradėsite piešti liniją", - "Click to start drawing a polygon": "Paspauskite ir pradėsite priešti poligoną", - "Clone": "Kopijuoti", - "Clone of {name}": "{name} kopija", - "Clone this feature": "Clone this feature", - "Clone this map": "Klonuoti šį žemėlapį", - "Close": "Uždaryti", - "Clustering radius": "Grupavimo spindulys", - "Comma separated list of properties to use when filtering features": "Kableliu atskirtas savybių sąrašas naudojamas objektų filtrui", - "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.": "Kableliu, tab'u arba kabliataškiu atskirtos reikšmės. SRS WGS84 yra palaikomas. Tik taškai yra importuoti. Importuojant bus patikrintos stulpelių antraštės ieškant pavadinimų \"lat\" ir \"lon\". Visi kiti stulpeliai bus įtraukti kaip papildomi atributai.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Tęsti liniją (Ctrl+Klavišas)", - "Coordinates": "Koordinatės", - "Credits": "Apie kūrėjus", - "Current view instead of default map view?": "Naudoti esamą vaizdą vietoje standartinio?", - "Custom background": "Pritaikytas fonas", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Nustatymai pagal nutylėjimą", - "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": "Trinti", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Ištrinti šį objektą", - "Delete this property on all the features": "Pašalinti šį parametrą visuose objektuose", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Nuorodos iš šio taško", - "Disable editing": "Uždrausti redagavimą", - "Display measure": "Display measure", - "Display on load": "Rodyti pasikrovus", "Download": "Download", "Download data": "Atsisiųsti duomenis", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Padėti žymeklį", "Draw a polygon": "Piešti poligoną", "Draw a polyline": "Piešti linijas", + "Drop": "Atmesti", "Dynamic": "Dinaminis", "Dynamic properties": "Dinaminės savybės", "Edit": "Redaguoti", @@ -172,23 +139,31 @@ "Embed the map": "Įsikelti šį žemėlapį", "Empty": "Tuščias", "Enable editing": "Leisti redaguoti", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Klaida tile-sluoksnio URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filtruoti...", "Format": "Formatas", "From zoom": "Mažiausias mastelis", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (tik nuoroda)", + "GeoRSS (title + image)": "GeoRSS (pavadinimas + paveikslas)", "Go to «{feature}»": "Eiti į «{feature}»", + "Heatmap": "Tankio žemėlapis", "Heatmap intensity property": "Tankio žemėlpaio faktorius", "Heatmap radius": "Tankio žemėlapio spindulys", "Help": "Pagalba", "Hide controls": "Slėpti mygtukus", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kaip stipriai supaprastinti linijas kiekviename mastelyje (daugiau - diesnis greitis ir lygesnis vaizdas, mažiau - tikslesnis atvaizdavimas)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "If false, the polygon will act as a part of the underlying map.": "Jei false, poligonas bus pagrindinio žemėlapio dalis.", "Iframe export options": "Iframe export nustatymai", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe su nurodytu aukščiu (pikseliais): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importuoti naują sluoksnį", "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", "Include full screen link?": "Įtraukti nuorodą į viso ekrano vaizdą?", + "Inherit": "Paveldėti", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Esamus sluoksnius palikti matomais", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Platuma", "Layer": "Sluoksnis", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "Merge lines": "Merge lines", "More controls": "Daugiau valdymo mygtukų", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Nenustatyta licenzija", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Nieko", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Tik matomi objektai bus atsiųsti.", + "Open current feature on load": "Open current feature on load", "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": "Atidaryti šį plotą duomenų redagavimui per OpenStreetMap", "Optional intensity property for heatmap": "Papildomas intensyvumo faktorius", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Neprivalomas. Toks pats kaip ir spalva, jei nenustatyta.", "Override clustering radius (default 80)": "Perrašyti grupavimo spindulį (pagal nutylėjimą 80)", "Override heatmap radius (default 25)": "Perrašyti tankio žemėlapio spindulį (pagal nutylėjimą 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prašom pasitikrinti ar licezija tikrai tinka Jūsų poreikiams.", "Please choose a format": "Pasirinkite formatą", "Please enter the name of the property": "Įveskite, prašom, savybės pavadinimą", "Please enter the new name of this property": "Įveskite, prašom, naują savybės pavadinimą", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup'o turinio šablonas", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Pagaminta naudojant Leaflet ir Django, apjungta pagal uMap projektą.", "Problem in the response": "Klaida atsakyme", "Problem in the response format": "Klaida atsakymo formate", @@ -262,12 +262,17 @@ "See all": "Išsaugoti viską", "See data layers": "See data layers", "See full screen": "Peržiūrėti per visą ekraną", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Trumpas URL", "Short credits": "Trumpai apie kūrėjus", "Show/hide layer": "Rodyti/slėpti sluoksnį", + "Side panel": "Šoninis skydelis", "Simple link: [[http://example.com]]": "Paprasta nuoroda: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Peržiūra", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "Supported scheme": "Palaikoma struktūra", "Supported variables that will be dynamically replaced": "Palaikomi kintamieji bus automatiškai perrašyti", "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS formatas", + "Table": "Lentelė", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Naudoti jei serveris neleidžia cross domain užklausų (lėtesnis sprendimas)", "To zoom": "Padidinti", @@ -310,6 +318,7 @@ "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Bus rodomas apatiniame dešiniame žemėlapio kampe", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bus matoma žemėlapio antraštėje", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Dėmesio! Kažkas kitas jau paredagavo šiuos duomenis. Jūs galite išsaugoti, bet tuomet bus prarasti kiti pakeitimai.", "You have unsaved changes.": "You have unsaved changes.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Priartinti ankstesnį", "Zoom to this feature": "Išdidinti šį objektą", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "atributai", "by": "pagal", + "clear": "clear", + "collapsed": "collapsed", + "color": "spalva", + "dash array": "brūkšnių masyvas", + "define": "define", + "description": "aprašymas", "display name": "rodyti pavadinimą", + "expanded": "expanded", + "fill": "užpildyti", + "fill color": "ploto spalva", + "fill opacity": "ploto skaidrumas", "height": "aukštis", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "paveldėti", "licence": "licenzija", "max East": "max Rytų", "max North": "max Šiaurės", @@ -332,10 +355,21 @@ "max West": "max Vakarų", "max zoom": "didžiausias mastelis", "min zoom": "mažiausias mastelis", + "name": "vardas", + "never": "never", + "new window": "new window", "next": "next", + "no": "ne", + "on hover": "on hover", + "opacity": "nepermatomumas", + "parent window": "parent window", "previous": "previous", + "stroke": "brūkšnys", + "weight": "svoris", "width": "plotis", + "yes": "taip", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index d2a7864c..6dbc8707 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 hari", + "1 hour": "1 jam", + "5 min": "5 minit", + "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", "Add symbol": "Tambah simbol", + "Advanced actions": "Tindakan lanjutan", + "Advanced filter keys": "Kekunci tapisan lanjutan", + "Advanced properties": "Ciri-ciri lanjutan", + "Advanced transition": "Peralihan lanjutan", + "All properties are imported.": "Semua ciri-ciri telah diimport.", + "Allow interactions": "Benarkan interaksi", "Allow scroll wheel zoom?": "Benarkan zum dengan roda tatal?", + "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 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-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", "Automatic": "Automatik", + "Autostart when map is loaded": "Automula apabila peta dimuatkan", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Bawa sifat ke tengah", + "Browse data": "Layari data", + "Cache proxied request": "Cache permintaan diproksi", "Cancel": "Batal", + "Cancel edits": "Batalkan suntingan", "Caption": "Keterangan", + "Center map on your location": "Ketengahkan peta ke kedudukan anda", + "Change map background": "Tukar latar belakang peta", "Change symbol": "Tukar simbol", + "Change tilelayers": "Tukar lapisan jubin", + "Choose a preset": "Pilih pratetapan", "Choose the data format": "Pilih format data", + "Choose the format of the data to import": "Pilih format data yang ingin diimport", "Choose the layer of the feature": "Pilih lapisan bagi sifat", + "Choose the layer to import in": "Pilih lapisan untuk diimport", "Circle": "Bulatan", + "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", "Clustered": "Berkelompok", + "Clustering radius": "Jejari kelompok", + "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Pelayar data", + "Data filters": "Penapis data", + "Data is browsable": "Data boleh layar", "Default": "Lalai", + "Default interaction options": "Pilihan interaksi lalai", + "Default properties": "Ciri-ciri lalai", + "Default shape properties": "Ciri-ciri bentuk lalai", "Default zoom level": "Tahap zum lalai", "Default: name": "Lalai: nama", + "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 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", + "Disable editing": "Lumpuhkan suntingan", "Display label": "Label paparan", + "Display measure": "Paparkan ukuran", + "Display on load": "Paparkan semasa dimuatkan", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Adakah anda ingin paparkan menu keterangan?", "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": "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 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-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": "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 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", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Lukis penanda", "Draw a polygon": "Lukis poligon", "Draw a polyline": "Lukis poligaris", + "Drop": "Jatuhkan", "Dynamic": "Dinamik", "Dynamic properties": "Ciri-ciri dinamik", "Edit": "Sunting", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Benamkan peta", "Empty": "Kosongkan", "Enable editing": "Bolehkan suntingan", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Ralat dalam URL lapisan jubin", "Error while fetching {url}": "Ralat ketika mengambil {url}", + "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", "Exit Fullscreen": "Keluar Skrin Penuh", "Extract shape to separate feature": "Sarikan bentuk untuk memisahkan sifat", + "Feature identifier key": "Kekunci pengenalpastian 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": "Dari zum", "Full map data": "Data peta penuh", + "GeoRSS (only link)": "GeoRSS (pautan sahaja)", + "GeoRSS (title + image)": "GeoRSS (tajuk + imej)", "Go to «{feature}»": "Pergi ke «{feature}»", + "Heatmap": "Peta tompokan", "Heatmap intensity property": "Ciri-ciri keamatan 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)", + "Icon shape": "Bentuk ikon", + "Icon symbol": "Simbol ikon", "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}}}", @@ -201,10 +176,16 @@ var locale = { "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?", + "Inherit": "Warisi", "Interaction options": "Pilihan interaksi", + "Invalid latitude or longitude": "Latitud atau longitud tidak sah", "Invalid umap data": "Data umap tidak sah", "Invalid umap data in {filename}": "Data umap tidak sah dalam {filename}", + "Invalide property name: {name}": "Nama ciri tidak sah: {name}", "Keep current visible layers": "Kekalkan lapisan yang kelihatan sekarang", + "Label direction": "Arah label", + "Label key": "Kekunci label", + "Labels are clickable": "Label boleh diklik", "Latitude": "Latitud", "Layer": "Lapisan", "Layer properties": "Ciri-ciri lapisan", @@ -225,20 +206,39 @@ var locale = { "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 cache": "Tiada cache", "No licence has been set": "Tiada lesen ditetapkan", "No results": "Tiada hasil", + "No results for these filters": "Tiada hasil bagi tapisan ini", + "None": "Tiada", + "On the bottom": "Di bawah", + "On the left": "Di kiri", + "On the right": "Di kanan", + "On the top": "Di atas", "Only visible features will be downloaded.": "Hanya sifat kelihatan sahaja akan dimuat turun.", + "Open current feature on load": "Buka sifat semasa ketika dimuatkan", "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.": "Pilihan.", "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)", + "Paste your data here": "Tampalkan data anda di sini", + "Permalink": "Pautan kekal", + "Permanent credits": "Penghargaan kekal", + "Permanent credits background": "Latar penghargaan kekal", "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", + "Please save the map first": "Sila simpan peta terlebih dahulu", + "Popup": "Tetingkap timbul", + "Popup (large)": "Tetingkap timbul (besar)", + "Popup content style": "Gaya kandungan tetingkap timbul", + "Popup content template": "Templat kandungan tetingkap timbul", + "Popup shape": "Bentuk tetingkap timbul", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "Lihat semua", "See data layers": "Lihat lapisan data", "See full screen": "Lihat skrin penuh", + "Select data": "Pilih data", "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…", + "Set symbol": "Simbol set", "Shape properties": "Ciri-ciri bentuk", "Short URL": "URL pendek", "Short credits": "Penghargaan pendek", "Show/hide layer": "Tunjuk/sembunyi lapisan", + "Side panel": "Panel sisi", "Simple link: [[http://example.com]]": "Pautan ringkas: [[http://example.com]]", + "Simplify": "Permudahkan", + "Skipping unknown geometry.type: {type}": "Melangkau jenis geometri tidak diketahui: {type}", "Slideshow": "Persembahan slaid", "Smart transitions": "Peralihan pintar", "Sort key": "Kekunci isihan", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Simbol atau url", "TMS format": "Format TMS", + "Table": "Meja", "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 name of the property to use as feature unique identifier.": "Nama ciri-ciri untuk digunakan sebagai pengenalpastian unik sifat.", "The zoom and center have been set.": "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zum ke sebelumnya", "Zoom to this feature": "Zum ke sifat ini", "Zoom to this place": "Zum ke tempat ini", + "always": "sentiasa", "attribution": "atribusi", "by": "oleh", + "clear": "kosongkan", + "collapsed": "dijatuhkan", + "color": "warna", + "dash array": "tatasusunan sengkang", + "define": "takrif", + "description": "keterangan", "display name": "nama paparan", + "expanded": "dikembangkan", + "fill": "diisi", + "fill color": "warna isian", + "fill opacity": "kelegapan isian", "height": "tinggi", + "hidden": "disembunyikan", + "iframe": "iframe", + "inherit": "warisi", "licence": "lesen", "max East": "Timur maksimum", "max North": "Utara maksimum", @@ -332,10 +355,21 @@ var locale = { "max West": "Barat maksimum", "max zoom": "zum maksimum", "min zoom": "zum minimum", + "name": "nama", + "never": "tidak pernah", + "new window": "tetingkap baharu", "next": "seterusnya", + "no": "tidak", + "on hover": "ketika dilalukan tetikus", + "opacity": "kelegapan", + "parent window": "tetingkap induk", "previous": "sebelumnya", + "stroke": "lejang", + "weight": "tebal", "width": "lebar", + "yes": "ya", "{count} errors during import: {message}": "{count} ralat ketika import: {message}", + "{delay} seconds": "{delay} saat", "Measure distances": "Ukur jarak", "NM": "NM", "kilometers": "kilometer", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Kekunci tapisan lanjutan", - "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", - "Data filters": "Penapis data", - "Do you want to display caption menus?": "Adakah anda ingin paparkan menu keterangan?", - "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", - "Invalid latitude or longitude": "Latitud atau longitud tidak sah", - "Invalide property name: {name}": "Nama ciri tidak sah: {name}", - "No results for these filters": "Tiada hasil bagi tapisan ini", - "Permanent credits": "Penghargaan kekal", - "Permanent credits background": "Latar penghargaan kekal", - "Select data": "Pilih data", - "Will be permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri bawah peta" + "{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" }; L.registerLocale("ms", locale); L.setLocale("ms"); \ No newline at end of file diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 69316ee2..57357119 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 hari", + "1 hour": "1 jam", + "5 min": "5 minit", + "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", "Add symbol": "Tambah simbol", + "Advanced actions": "Tindakan lanjutan", + "Advanced filter keys": "Kekunci tapisan lanjutan", + "Advanced properties": "Ciri-ciri lanjutan", + "Advanced transition": "Peralihan lanjutan", + "All properties are imported.": "Semua ciri-ciri telah diimport.", + "Allow interactions": "Benarkan interaksi", "Allow scroll wheel zoom?": "Benarkan zum dengan roda tatal?", + "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 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-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", "Automatic": "Automatik", + "Autostart when map is loaded": "Automula apabila peta dimuatkan", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Bawa sifat ke tengah", + "Browse data": "Layari data", + "Cache proxied request": "Cache permintaan diproksi", "Cancel": "Batal", + "Cancel edits": "Batalkan suntingan", "Caption": "Keterangan", + "Center map on your location": "Ketengahkan peta ke kedudukan anda", + "Change map background": "Tukar latar belakang peta", "Change symbol": "Tukar simbol", + "Change tilelayers": "Tukar lapisan jubin", + "Choose a preset": "Pilih pratetapan", "Choose the data format": "Pilih format data", + "Choose the format of the data to import": "Pilih format data yang ingin diimport", "Choose the layer of the feature": "Pilih lapisan bagi sifat", + "Choose the layer to import in": "Pilih lapisan untuk diimport", "Circle": "Bulatan", + "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", "Clustered": "Berkelompok", + "Clustering radius": "Jejari kelompok", + "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Pelayar data", + "Data filters": "Penapis data", + "Data is browsable": "Data boleh layar", "Default": "Lalai", + "Default interaction options": "Pilihan interaksi lalai", + "Default properties": "Ciri-ciri lalai", + "Default shape properties": "Ciri-ciri bentuk lalai", "Default zoom level": "Tahap zum lalai", "Default: name": "Lalai: nama", + "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 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", + "Disable editing": "Lumpuhkan suntingan", "Display label": "Label paparan", + "Display measure": "Paparkan ukuran", + "Display on load": "Paparkan semasa dimuatkan", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Adakah anda ingin paparkan menu keterangan?", "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": "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 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-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": "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 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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Lukis penanda", "Draw a polygon": "Lukis poligon", "Draw a polyline": "Lukis poligaris", + "Drop": "Jatuhkan", "Dynamic": "Dinamik", "Dynamic properties": "Ciri-ciri dinamik", "Edit": "Sunting", @@ -172,23 +139,31 @@ "Embed the map": "Benamkan peta", "Empty": "Kosongkan", "Enable editing": "Bolehkan suntingan", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Ralat dalam URL lapisan jubin", "Error while fetching {url}": "Ralat ketika mengambil {url}", + "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", "Exit Fullscreen": "Keluar Skrin Penuh", "Extract shape to separate feature": "Sarikan bentuk untuk memisahkan sifat", + "Feature identifier key": "Kekunci pengenalpastian 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": "Dari zum", "Full map data": "Data peta penuh", + "GeoRSS (only link)": "GeoRSS (pautan sahaja)", + "GeoRSS (title + image)": "GeoRSS (tajuk + imej)", "Go to «{feature}»": "Pergi ke «{feature}»", + "Heatmap": "Peta tompokan", "Heatmap intensity property": "Ciri-ciri keamatan 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)", + "Icon shape": "Bentuk ikon", + "Icon symbol": "Simbol ikon", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Warisi", "Interaction options": "Pilihan interaksi", + "Invalid latitude or longitude": "Latitud atau longitud tidak sah", "Invalid umap data": "Data umap tidak sah", "Invalid umap data in {filename}": "Data umap tidak sah dalam {filename}", + "Invalide property name: {name}": "Nama ciri tidak sah: {name}", "Keep current visible layers": "Kekalkan lapisan yang kelihatan sekarang", + "Label direction": "Arah label", + "Label key": "Kekunci label", + "Labels are clickable": "Label boleh diklik", "Latitude": "Latitud", "Layer": "Lapisan", "Layer properties": "Ciri-ciri lapisan", @@ -225,20 +206,39 @@ "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 cache": "Tiada cache", "No licence has been set": "Tiada lesen ditetapkan", "No results": "Tiada hasil", + "No results for these filters": "Tiada hasil bagi tapisan ini", + "None": "Tiada", + "On the bottom": "Di bawah", + "On the left": "Di kiri", + "On the right": "Di kanan", + "On the top": "Di atas", "Only visible features will be downloaded.": "Hanya sifat kelihatan sahaja akan dimuat turun.", + "Open current feature on load": "Buka sifat semasa ketika dimuatkan", "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.": "Pilihan.", "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)", + "Paste your data here": "Tampalkan data anda di sini", + "Permalink": "Pautan kekal", + "Permanent credits": "Penghargaan kekal", + "Permanent credits background": "Latar penghargaan kekal", "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", + "Please save the map first": "Sila simpan peta terlebih dahulu", + "Popup": "Tetingkap timbul", + "Popup (large)": "Tetingkap timbul (besar)", + "Popup content style": "Gaya kandungan tetingkap timbul", + "Popup content template": "Templat kandungan tetingkap timbul", + "Popup shape": "Bentuk tetingkap timbul", "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", @@ -262,12 +262,17 @@ "See all": "Lihat semua", "See data layers": "Lihat lapisan data", "See full screen": "Lihat skrin penuh", + "Select data": "Pilih data", "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…", + "Set symbol": "Simbol set", "Shape properties": "Ciri-ciri bentuk", "Short URL": "URL pendek", "Short credits": "Penghargaan pendek", "Show/hide layer": "Tunjuk/sembunyi lapisan", + "Side panel": "Panel sisi", "Simple link: [[http://example.com]]": "Pautan ringkas: [[http://example.com]]", + "Simplify": "Permudahkan", + "Skipping unknown geometry.type: {type}": "Melangkau jenis geometri tidak diketahui: {type}", "Slideshow": "Persembahan slaid", "Smart transitions": "Peralihan pintar", "Sort key": "Kekunci isihan", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Simbol atau url", "TMS format": "Format TMS", + "Table": "Meja", "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 name of the property to use as feature unique identifier.": "Nama ciri-ciri untuk digunakan sebagai pengenalpastian unik sifat.", "The zoom and center have been set.": "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zum ke sebelumnya", "Zoom to this feature": "Zum ke sifat ini", "Zoom to this place": "Zum ke tempat ini", + "always": "sentiasa", "attribution": "atribusi", "by": "oleh", + "clear": "kosongkan", + "collapsed": "dijatuhkan", + "color": "warna", + "dash array": "tatasusunan sengkang", + "define": "takrif", + "description": "keterangan", "display name": "nama paparan", + "expanded": "dikembangkan", + "fill": "diisi", + "fill color": "warna isian", + "fill opacity": "kelegapan isian", "height": "tinggi", + "hidden": "disembunyikan", + "iframe": "iframe", + "inherit": "warisi", "licence": "lesen", "max East": "Timur maksimum", "max North": "Utara maksimum", @@ -332,10 +355,21 @@ "max West": "Barat maksimum", "max zoom": "zum maksimum", "min zoom": "zum minimum", + "name": "nama", + "never": "tidak pernah", + "new window": "tetingkap baharu", "next": "seterusnya", + "no": "tidak", + "on hover": "ketika dilalukan tetikus", + "opacity": "kelegapan", + "parent window": "tetingkap induk", "previous": "sebelumnya", + "stroke": "lejang", + "weight": "tebal", "width": "lebar", + "yes": "ya", "{count} errors during import: {message}": "{count} ralat ketika import: {message}", + "{delay} seconds": "{delay} saat", "Measure distances": "Ukur jarak", "NM": "NM", "kilometers": "kilometer", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Kekunci tapisan lanjutan", - "Comma separated list of properties to use for checkbox filtering": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan bagi penapisan kotak pilihan", - "Data filters": "Penapis data", - "Do you want to display caption menus?": "Adakah anda ingin paparkan menu keterangan?", - "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", - "Invalid latitude or longitude": "Latitud atau longitud tidak sah", - "Invalide property name: {name}": "Nama ciri tidak sah: {name}", - "No results for these filters": "Tiada hasil bagi tapisan ini", - "Permanent credits": "Penghargaan kekal", - "Permanent credits background": "Latar penghargaan kekal", - "Select data": "Pilih data", - "Will be permanently visible in the bottom left corner of the map": "Akan dipaparkan secara kekal di bucu kiri bawah peta" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 09da6300..a31d9670 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 dag", + "1 hour": "1 uur", + "5 min": "5 minuten", + "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": "Activeer slidshow modus", + "Add a layer": "Laag toevoegen", + "Add a line to the current multi": "Voeg een lijn toe 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", "Add symbol": "Symbool toevoegen", + "Advanced actions": "Geavanceerde acties", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Geavanceerde eigenschappen", + "Advanced transition": "Geavanceerde overgang", + "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", + "Allow interactions": "Sta interactie toe", "Allow scroll wheel zoom?": "Zoomen met scrollwieltje toestaan?", + "An error occured": "Er is een fout opgetreden", + "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?": "Weet je zeker dat je deze versie wilt terugzetten?", + "Attach the map to my account": "Voeg de kaart toe aan mijn account", + "Auto": "Auto", "Automatic": "Automatisch", + "Autostart when map is loaded": "Autostart als kaart wordt geladen", + "Background overlay url": "Background overlay url", "Ball": "Kopspeld", + "Bring feature to center": "Object in het midden zetten", + "Browse data": "Gegevens doorbladeren", + "Cache proxied request": "Cache proxied request", "Cancel": "Annuleren", + "Cancel edits": "Bewerkingen annuleren", "Caption": "Hoofding", + "Center map on your location": "Centreer kaart op je locatie", + "Change map background": "Verander kaartachtergrond", "Change symbol": "Symbool veranderen", + "Change tilelayers": "Andere kaartachtergrond instellen", + "Choose a preset": "Kies een voorkeuzeinstelling", "Choose the data format": "Gegevensformaat selecteren", + "Choose the format of the data to import": "Kies het formaat van de te importeren gegevens", "Choose the layer of the feature": "Kies de laag van het object", + "Choose the layer to import in": "Kies de laag om in te importeren", "Circle": "Cirkel", + "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": "Sluit", "Clustered": "Bij elkaar gevoegd", + "Clustering radius": "Doorsnede voor clusteren", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Eigen achtergrond", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data kan verkend worden", "Default": "Standaard", + "Default interaction options": "Standaard interactie-opties", + "Default properties": "Standaardeigenschappen", + "Default shape properties": "Standaard vorm eigenschappen", "Default zoom level": "Standaard schaalniveau", "Default: name": "Standaard: naam", + "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": "Verwijder alle lagen", + "Delete layer": "Verwijder laag", + "Delete this feature": "Dit object verwijderen", + "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 label": "Toon het label", + "Display measure": "Toon meting", + "Display on load": "Tonen bij laden", "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", @@ -27,131 +114,10 @@ var locale = { "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?": "Wil je een zijpaneel tonen als de kaart geladen wordt?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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?": "Wil je de knop «meer» laten zien?", - "Drop": "Druppel", - "GeoRSS (only link)": "GeoRSS (enkel link)", - "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", - "Heatmap": "Hittekaart", - "Icon shape": "Vorm van het icoon", - "Icon symbol": "Symbool voor het icoon", - "Inherit": "Overerving", - "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": "Zijpaneel", - "Simplify": "Vereenvoudig", - "Symbol or url": "Symbool of URL", - "Table": "Tabel", - "always": "altijd", - "clear": "wis", - "collapsed": "dichtgeklapt", - "color": "kleur", - "dash array": "soort stippellijn", - "define": "definieer", - "description": "beschrijving", - "expanded": "opengeklapt", - "fill": "opvullen", - "fill color": "opvulkleur", - "fill opacity": "(on)doorzichtigheid van inkleuring", - "hidden": "verborgen", - "iframe": "iframe", - "inherit": "overerven", - "name": "naam", - "never": "nooit", - "new window": "nieuw venster", - "no": "neen", - "on hover": "als de muis erover gaat", - "opacity": "ondoorzichtigheid", - "parent window": "bovenliggend venster", - "stroke": "omlijnde vlakken", - "weight": "lijndikte", - "yes": "ja", - "{delay} seconds": "{delay} seconden", - "# 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\".": "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": "Activeer slidshow modus", - "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Voeg een lijn toe 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": "Geavanceerde overgang", - "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", - "Allow interactions": "Sta interactie toe", - "An error occured": "Er is een fout opgetreden", - "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?": "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 als kaart wordt geladen", - "Bring feature to center": "Object in het midden zetten", - "Browse data": "Gegevens doorbladeren", - "Cancel edits": "Bewerkingen annuleren", - "Center map on your location": "Centreer kaart op je locatie", - "Change map background": "Verander kaartachtergrond", - "Change tilelayers": "Andere kaartachtergrond instellen", - "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": "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": "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": "Eigen achtergrond", - "Data is browsable": "Data kan verkend worden", - "Default interaction options": "Standaard interactie-opties", - "Default properties": "Standaardeigenschappen", - "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": "Verwijder alle lagen", - "Delete layer": "Verwijder laag", - "Delete this feature": "Dit object verwijderen", - "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": "Toon meting", - "Display on load": "Tonen bij laden", "Download": "Downloaden", "Download data": "Gegevens downloaden", "Drag to reorder": "Sleep om de volgorde te wijzigen", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Teken een punt", "Draw a polygon": "Teken een veelhoek", "Draw a polyline": "Teken een lijn", + "Drop": "Druppel", "Dynamic": "Dynamisch", "Dynamic properties": "Dynamische eigenschappen", "Edit": "Bewerken", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Kaart inbedden", "Empty": "Leeg", "Enable editing": "Bewerken inschakelen", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Er is een fout opgetreden met de achtergrondtegels", "Error while fetching {url}": "Fout bij ophalen {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Verlaat volledig scherm", "Extract shape to separate feature": "Verplaats deze vorm naar een eigen object", + "Feature identifier key": "Unieke identificator van het 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": "Alle kaartdata", + "GeoRSS (only link)": "GeoRSS (enkel link)", + "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", "Go to «{feature}»": "Ga naar «{feature}»", + "Heatmap": "Hittekaart", "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)", + "Icon shape": "Vorm van het icoon", + "Icon symbol": "Symbool voor het icoon", "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 met gespecifieerde hoogte (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "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?", + "Inherit": "Overerving", "Interaction options": "Opties voor interactie", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Incorrecte umap data", "Invalid umap data in {filename}": "Incorrecte umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Behoud de lagen die nu zichtbaar zijn", + "Label direction": "Richting van het label", + "Label key": "Attribuut als label", + "Labels are clickable": "Labels kunnen aangeklikt worden", "Latitude": "Breedtegraad", "Layer": "Laag", "Layer properties": "Laag eigenschappen", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Lijnen samenvoegen", "More controls": "Meer instelknoppen", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Dit moet een geldige CSS-waarde zijn (vb.: DarkBlue of #123456)", + "No cache": "Geen cache", "No licence has been set": "Er is geen licentie ingesteld", "No results": "Geen resultaten", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Enkel zichtbare objecten zullen worden geëxporteerd", + "Open current feature on load": "Dit object openen bij laden", "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": "Optionele eigenschap om voor intensiteit van de heatmap te gebruiken", + "Optional.": "Optioneel.", "Optional. Same as color if not set.": "Optioneel. Gelijk aan kleur indien niet ingesteld", "Override clustering radius (default 80)": "Andere clustering doorsnede gebruiken (standaard80)", "Override heatmap radius (default 25)": "Andere heatmap doorsnede gebruiken (standaard 25)", + "Paste your data here": "Plak je data hier", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "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", + "Please save the map first": "Graag eerst de kaart opslaan", + "Popup": "Popup", + "Popup (large)": "Popup (groot)", + "Popup content style": "Stijl van de inhoud van de Popup", + "Popup content template": "Template voor de popup", + "Popup shape": "Vorm van de Popup", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "Toon alles", "See data layers": "Bekijk datalagen", "See full screen": "Op volledig scherm weergeven", + "Select data": "Select data", "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, ...", + "Set symbol": "Bepaal symbool", "Shape properties": "Eigenschappen van de vorm", "Short URL": "Korte URL", "Short credits": "Korte bronvermelding", "Show/hide layer": "Laag tonen/verbergen", + "Side panel": "Zijpaneel", "Simple link: [[http://example.com]]": "Eenvoudige link: [[http://example.com]]", + "Simplify": "Vereenvoudig", + "Skipping unknown geometry.type: {type}": "Overgeslaan wegens onbekend geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Slimme overgangen", "Sort key": "Sleutel om op te sorteren", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbool of URL", "TMS format": "TMS-formaat", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt", "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)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Wie kan bewerken", "Who can view": "Wie kan bekijken", "Will be displayed in the bottom right corner of the map": "Zal getoond worden in de rechter onderhoek van de kaart", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Inzoomen op de vorige", "Zoom to this feature": "Op dit object inzoomen", "Zoom to this place": "Inzoomen op deze plaats", + "always": "altijd", "attribution": "bronvermelding", "by": "door", + "clear": "wis", + "collapsed": "dichtgeklapt", + "color": "kleur", + "dash array": "soort stippellijn", + "define": "definieer", + "description": "beschrijving", "display name": "toon de naam", + "expanded": "opengeklapt", + "fill": "opvullen", + "fill color": "opvulkleur", + "fill opacity": "(on)doorzichtigheid van inkleuring", "height": "hoogte", + "hidden": "verborgen", + "iframe": "iframe", + "inherit": "overerven", "licence": "licentie", "max East": "maximale oostwaarde", "max North": "maximale noordwaarde", @@ -332,10 +355,21 @@ var locale = { "max West": "maximale westwaarde", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "naam", + "never": "nooit", + "new window": "nieuw venster", "next": "volgende", + "no": "neen", + "on hover": "als de muis erover gaat", + "opacity": "ondoorzichtigheid", + "parent window": "bovenliggend venster", "previous": "vorige", + "stroke": "omlijnde vlakken", + "weight": "lijndikte", "width": "breedte", + "yes": "ja", "{count} errors during import: {message}": "{count} fouten tijdens import: {message}", + "{delay} seconds": "{delay} seconden", "Measure distances": "Afstanden meten", "NM": "NM", "kilometers": "kilometer", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "mijl", "nautical miles": "zeemijl", - "{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} mijl", - "{distance} yd": "{distance} yd", - "1 day": "1 dag", - "1 hour": "1 uur", - "5 min": "5 minuten", - "Cache proxied request": "Cache proxied request", - "No cache": "Geen cache", - "Popup": "Popup", - "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", - "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.": "De naam van de eigenschap die als unieke identificator van objecten geldt", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} mijl", + "{distance} yd": "{distance} yd" }; 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 7e785289..a670b083 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 dag", + "1 hour": "1 uur", + "5 min": "5 minuten", + "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": "Activeer slidshow modus", + "Add a layer": "Laag toevoegen", + "Add a line to the current multi": "Voeg een lijn toe 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", "Add symbol": "Symbool toevoegen", + "Advanced actions": "Geavanceerde acties", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Geavanceerde eigenschappen", + "Advanced transition": "Geavanceerde overgang", + "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", + "Allow interactions": "Sta interactie toe", "Allow scroll wheel zoom?": "Zoomen met scrollwieltje toestaan?", + "An error occured": "Er is een fout opgetreden", + "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?": "Weet je zeker dat je deze versie wilt terugzetten?", + "Attach the map to my account": "Voeg de kaart toe aan mijn account", + "Auto": "Auto", "Automatic": "Automatisch", + "Autostart when map is loaded": "Autostart als kaart wordt geladen", + "Background overlay url": "Background overlay url", "Ball": "Kopspeld", + "Bring feature to center": "Object in het midden zetten", + "Browse data": "Gegevens doorbladeren", + "Cache proxied request": "Cache proxied request", "Cancel": "Annuleren", + "Cancel edits": "Bewerkingen annuleren", "Caption": "Hoofding", + "Center map on your location": "Centreer kaart op je locatie", + "Change map background": "Verander kaartachtergrond", "Change symbol": "Symbool veranderen", + "Change tilelayers": "Andere kaartachtergrond instellen", + "Choose a preset": "Kies een voorkeuzeinstelling", "Choose the data format": "Gegevensformaat selecteren", + "Choose the format of the data to import": "Kies het formaat van de te importeren gegevens", "Choose the layer of the feature": "Kies de laag van het object", + "Choose the layer to import in": "Kies de laag om in te importeren", "Circle": "Cirkel", + "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": "Sluit", "Clustered": "Bij elkaar gevoegd", + "Clustering radius": "Doorsnede voor clusteren", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Eigen achtergrond", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data kan verkend worden", "Default": "Standaard", + "Default interaction options": "Standaard interactie-opties", + "Default properties": "Standaardeigenschappen", + "Default shape properties": "Standaard vorm eigenschappen", "Default zoom level": "Standaard schaalniveau", "Default: name": "Standaard: naam", + "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": "Verwijder alle lagen", + "Delete layer": "Verwijder laag", + "Delete this feature": "Dit object verwijderen", + "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 label": "Toon het label", + "Display measure": "Toon meting", + "Display on load": "Tonen bij laden", "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", @@ -27,131 +114,10 @@ "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?": "Wil je een zijpaneel tonen als de kaart geladen wordt?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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?": "Wil je de knop «meer» laten zien?", - "Drop": "Druppel", - "GeoRSS (only link)": "GeoRSS (enkel link)", - "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", - "Heatmap": "Hittekaart", - "Icon shape": "Vorm van het icoon", - "Icon symbol": "Symbool voor het icoon", - "Inherit": "Overerving", - "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": "Zijpaneel", - "Simplify": "Vereenvoudig", - "Symbol or url": "Symbool of URL", - "Table": "Tabel", - "always": "altijd", - "clear": "wis", - "collapsed": "dichtgeklapt", - "color": "kleur", - "dash array": "soort stippellijn", - "define": "definieer", - "description": "beschrijving", - "expanded": "opengeklapt", - "fill": "opvullen", - "fill color": "opvulkleur", - "fill opacity": "(on)doorzichtigheid van inkleuring", - "hidden": "verborgen", - "iframe": "iframe", - "inherit": "overerven", - "name": "naam", - "never": "nooit", - "new window": "nieuw venster", - "no": "neen", - "on hover": "als de muis erover gaat", - "opacity": "ondoorzichtigheid", - "parent window": "bovenliggend venster", - "stroke": "omlijnde vlakken", - "weight": "lijndikte", - "yes": "ja", - "{delay} seconds": "{delay} seconden", - "# 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\".": "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": "Activeer slidshow modus", - "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Voeg een lijn toe 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": "Geavanceerde overgang", - "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", - "Allow interactions": "Sta interactie toe", - "An error occured": "Er is een fout opgetreden", - "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?": "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 als kaart wordt geladen", - "Bring feature to center": "Object in het midden zetten", - "Browse data": "Gegevens doorbladeren", - "Cancel edits": "Bewerkingen annuleren", - "Center map on your location": "Centreer kaart op je locatie", - "Change map background": "Verander kaartachtergrond", - "Change tilelayers": "Andere kaartachtergrond instellen", - "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": "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": "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": "Eigen achtergrond", - "Data is browsable": "Data kan verkend worden", - "Default interaction options": "Standaard interactie-opties", - "Default properties": "Standaardeigenschappen", - "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": "Verwijder alle lagen", - "Delete layer": "Verwijder laag", - "Delete this feature": "Dit object verwijderen", - "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": "Toon meting", - "Display on load": "Tonen bij laden", "Download": "Downloaden", "Download data": "Gegevens downloaden", "Drag to reorder": "Sleep om de volgorde te wijzigen", @@ -159,6 +125,7 @@ "Draw a marker": "Teken een punt", "Draw a polygon": "Teken een veelhoek", "Draw a polyline": "Teken een lijn", + "Drop": "Druppel", "Dynamic": "Dynamisch", "Dynamic properties": "Dynamische eigenschappen", "Edit": "Bewerken", @@ -172,23 +139,31 @@ "Embed the map": "Kaart inbedden", "Empty": "Leeg", "Enable editing": "Bewerken inschakelen", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Er is een fout opgetreden met de achtergrondtegels", "Error while fetching {url}": "Fout bij ophalen {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Verlaat volledig scherm", "Extract shape to separate feature": "Verplaats deze vorm naar een eigen object", + "Feature identifier key": "Unieke identificator van het 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": "Alle kaartdata", + "GeoRSS (only link)": "GeoRSS (enkel link)", + "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", "Go to «{feature}»": "Ga naar «{feature}»", + "Heatmap": "Hittekaart", "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)", + "Icon shape": "Vorm van het icoon", + "Icon symbol": "Symbool voor het icoon", "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 met gespecifieerde hoogte (in px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Overerving", "Interaction options": "Opties voor interactie", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Incorrecte umap data", "Invalid umap data in {filename}": "Incorrecte umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Behoud de lagen die nu zichtbaar zijn", + "Label direction": "Richting van het label", + "Label key": "Attribuut als label", + "Labels are clickable": "Labels kunnen aangeklikt worden", "Latitude": "Breedtegraad", "Layer": "Laag", "Layer properties": "Laag eigenschappen", @@ -225,20 +206,39 @@ "Merge lines": "Lijnen samenvoegen", "More controls": "Meer instelknoppen", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Dit moet een geldige CSS-waarde zijn (vb.: DarkBlue of #123456)", + "No cache": "Geen cache", "No licence has been set": "Er is geen licentie ingesteld", "No results": "Geen resultaten", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Enkel zichtbare objecten zullen worden geëxporteerd", + "Open current feature on load": "Dit object openen bij laden", "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": "Optionele eigenschap om voor intensiteit van de heatmap te gebruiken", + "Optional.": "Optioneel.", "Optional. Same as color if not set.": "Optioneel. Gelijk aan kleur indien niet ingesteld", "Override clustering radius (default 80)": "Andere clustering doorsnede gebruiken (standaard80)", "Override heatmap radius (default 25)": "Andere heatmap doorsnede gebruiken (standaard 25)", + "Paste your data here": "Plak je data hier", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "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", + "Please save the map first": "Graag eerst de kaart opslaan", + "Popup": "Popup", + "Popup (large)": "Popup (groot)", + "Popup content style": "Stijl van de inhoud van de Popup", + "Popup content template": "Template voor de popup", + "Popup shape": "Vorm van de Popup", "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", @@ -262,12 +262,17 @@ "See all": "Toon alles", "See data layers": "Bekijk datalagen", "See full screen": "Op volledig scherm weergeven", + "Select data": "Select data", "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, ...", + "Set symbol": "Bepaal symbool", "Shape properties": "Eigenschappen van de vorm", "Short URL": "Korte URL", "Short credits": "Korte bronvermelding", "Show/hide layer": "Laag tonen/verbergen", + "Side panel": "Zijpaneel", "Simple link: [[http://example.com]]": "Eenvoudige link: [[http://example.com]]", + "Simplify": "Vereenvoudig", + "Skipping unknown geometry.type: {type}": "Overgeslaan wegens onbekend geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Slimme overgangen", "Sort key": "Sleutel om op te sorteren", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbool of URL", "TMS format": "TMS-formaat", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt", "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)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", @@ -310,6 +318,7 @@ "Who can edit": "Wie kan bewerken", "Who can view": "Wie kan bekijken", "Will be displayed in the bottom right corner of the map": "Zal getoond worden in de rechter onderhoek van de kaart", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Inzoomen op de vorige", "Zoom to this feature": "Op dit object inzoomen", "Zoom to this place": "Inzoomen op deze plaats", + "always": "altijd", "attribution": "bronvermelding", "by": "door", + "clear": "wis", + "collapsed": "dichtgeklapt", + "color": "kleur", + "dash array": "soort stippellijn", + "define": "definieer", + "description": "beschrijving", "display name": "toon de naam", + "expanded": "opengeklapt", + "fill": "opvullen", + "fill color": "opvulkleur", + "fill opacity": "(on)doorzichtigheid van inkleuring", "height": "hoogte", + "hidden": "verborgen", + "iframe": "iframe", + "inherit": "overerven", "licence": "licentie", "max East": "maximale oostwaarde", "max North": "maximale noordwaarde", @@ -332,10 +355,21 @@ "max West": "maximale westwaarde", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "naam", + "never": "nooit", + "new window": "nieuw venster", "next": "volgende", + "no": "neen", + "on hover": "als de muis erover gaat", + "opacity": "ondoorzichtigheid", + "parent window": "bovenliggend venster", "previous": "vorige", + "stroke": "omlijnde vlakken", + "weight": "lijndikte", "width": "breedte", + "yes": "ja", "{count} errors during import: {message}": "{count} fouten tijdens import: {message}", + "{delay} seconds": "{delay} seconden", "Measure distances": "Afstanden meten", "NM": "NM", "kilometers": "kilometer", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "mijl", "nautical miles": "zeemijl", - "{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} mijl", - "{distance} yd": "{distance} yd", - "1 day": "1 dag", - "1 hour": "1 uur", - "5 min": "5 minuten", - "Cache proxied request": "Cache proxied request", - "No cache": "Geen cache", - "Popup": "Popup", - "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", - "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.": "De naam van de eigenschap die als unieke identificator van objecten geldt", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} mijl", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index ac5acadc..a721879b 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en emneknagg for hovedtittel", + "## two hashes for second heading": "## to emneknagger for andre tittel", + "### three hashes for third heading": "### tre emneknagger for tredje tittel", + "**double star for bold**": "**dobbel stjerne for fet skrift**", + "*simple star for italic*": "*enkel stjerne for kursiv*", + "--- for an horizontal rule": "--- for et horisontalt skille", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En komma-separert liste over nummer som definerer den stiplede linja. Eks.: \"5, 10, 15\".", + "About": "Om", + "Action not allowed :(": "Handlingen er ikke tillatt :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Legg til et lag", + "Add a line to the current multi": "Legg en linje til gjeldende multi", + "Add a new property": "Legg til en ny egenskap", + "Add a polygon to the current multi": "Legg et polygon til gjeldende multi", "Add symbol": "Legg til symbol", + "Advanced actions": "Avanserte handlinger", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avanserte egenskaper", + "Advanced transition": "Avansert overgang", + "All properties are imported.": "Alle egenskaper er importert", + "Allow interactions": "Tillat interaksjoner", "Allow scroll wheel zoom?": "Tillat rulling med zoom-hjulet?", + "An error occured": "En feil oppsto", + "Are you sure you want to cancel your changes?": "Er du sikker på at du vil du forkaste endringene dine?", + "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på at du vil klone dette kartet og alle tilhørende datalag?", + "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objektet?", + "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette laget?", + "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kartet?", + "Are you sure you want to delete this property on all the features?": "Er du sikker på at du vil slette denne egenskapen fra alle objektene?", + "Are you sure you want to restore this version?": "Er du sikker på at du vil gjenopprette denne versjonen?", + "Attach the map to my account": "Koble opp kartet til min konto", + "Auto": "Auto", "Automatic": "Automatisk", + "Autostart when map is loaded": "Start automatisk når kartet er lastet", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Før objektet til midten", + "Browse data": "Se gjennom data", + "Cache proxied request": "Cache proxied request", "Cancel": "Avbryt", + "Cancel edits": "Avbryt endringer", "Caption": "Caption", + "Center map on your location": "Sentrer kartet på din posisjon", + "Change map background": "Endre bakgrunnskart", "Change symbol": "Endre symbol", + "Change tilelayers": "Endre flislag", + "Choose a preset": "Choose a preset", "Choose the data format": "Velg dataformatet", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Sirkel", + "Click last point to finish shape": "Click last point to finish shape", + "Click to add a marker": "Klikk for å legge til en markør", + "Click to continue drawing": "Klikk for å fortsette å tegne", + "Click to edit": "Klikk for å redigere", + "Click to start drawing a line": "Klikk for å starte å tegne en linje", + "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", + "Clone": "Dupliser", + "Clone of {name}": "Duplikat av {name}", + "Clone this feature": "Dupliser dette objektet", + "Clone this map": "Dupliser dette kartet", + "Close": "Lukk", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Fortsett linje", + "Continue line (Ctrl+Click)": "Fortsett linje (Ctrl+Klikk)", + "Coordinates": "Koordinater", + "Credits": "Credits", + "Current view instead of default map view?": "Current view instead of default map view?", + "Custom background": "Egendefinert bakgrunn", + "Custom overlay": "Custom overlay", "Data browser": "Dataleser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Standard", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Standard zoom-nivå", "Default: name": "Standard: navn", + "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": "Slett", + "Delete all layers": "Slett alle lag", + "Delete layer": "Slett lag", + "Delete this feature": "Slett dette objektet", + "Delete this property on all the features": "Slett denne egenskapen fra alle objekter", + "Delete this shape": "Slett denne figuren", + "Delete this vertex (Alt+Click)": "Slett denne noden (Alt+Klikk)", + "Directions from here": "Navigasjon herfra", + "Disable editing": "Deaktiver redigering", "Display label": "Vis merkelapp", + "Display measure": "Vis måling", + "Display on load": "Vis ved innlasting", "Display the control to open OpenStreetMap editor": "Vis grensesnitt for å åpne OpenStreetMap-redigerer", "Display the data layers control": "Vis grensesnitt for datalag", "Display the embed control": "Vis grensesnitt for innbygging", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Vil du vise et oversiktskart?", "Do you want to display a panel on load?": "Vil du vise et panel etter innlasting?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Vil du vise en popup-bunntekst?", "Do you want to display the scale control?": "Vil du vise grensesnitt for skalering?", "Do you want to display the «more» control?": "Vil du vise grensesnitt for \"mer\"?", - "Drop": "Drop", - "GeoRSS (only link)": "GeoRSS (bare link)", - "GeoRSS (title + image)": "GeoRSS (tittel og bilde)", - "Heatmap": "Varmekart", - "Icon shape": "Ikonform", - "Icon symbol": "Ikonsymbol", - "Inherit": "Arve", - "Label direction": "Merkelapp-retning", - "Label key": "Merkelapp-nøkkel", - "Labels are clickable": "Merkelapper er klikkbare", - "None": "Ingen", - "On the bottom": "På bunnen", - "On the left": "Til venstre", - "On the right": "Til høyre", - "On the top": "På toppen", - "Popup content template": "Popup content template", - "Set symbol": "Angi symbol", - "Side panel": "Sidepanel", - "Simplify": "Simplifisere", - "Symbol or url": "Symbol eller URL", - "Table": "Tabell", - "always": "alltid", - "clear": "tøm", - "collapsed": "collapsed", - "color": "farge", - "dash array": "dash array", - "define": "definer", - "description": "beskrivelse", - "expanded": "expanded", - "fill": "fyll", - "fill color": "fyllfarge", - "fill opacity": "fyllsynlighet", - "hidden": "skjult", - "iframe": "iframe", - "inherit": "arve", - "name": "navn", - "never": "aldri", - "new window": "nytt vindu", - "no": "nei", - "on hover": "når musa er over", - "opacity": "synlighet", - "parent window": "foreldrevindu", - "stroke": "strøk", - "weight": "vekt", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# en emneknagg for hovedtittel", - "## two hashes for second heading": "## to emneknagger for andre tittel", - "### three hashes for third heading": "### tre emneknagger for tredje tittel", - "**double star for bold**": "**dobbel stjerne for fet skrift**", - "*simple star for italic*": "*enkel stjerne for kursiv*", - "--- for an horizontal rule": "--- for et horisontalt skille", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En komma-separert liste over nummer som definerer den stiplede linja. Eks.: \"5, 10, 15\".", - "About": "Om", - "Action not allowed :(": "Handlingen er ikke tillatt :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Legg til et lag", - "Add a line to the current multi": "Legg en linje til gjeldende multi", - "Add a new property": "Legg til en ny egenskap", - "Add a polygon to the current multi": "Legg et polygon til gjeldende multi", - "Advanced actions": "Avanserte handlinger", - "Advanced properties": "Avanserte egenskaper", - "Advanced transition": "Avansert overgang", - "All properties are imported.": "Alle egenskaper er importert", - "Allow interactions": "Tillat interaksjoner", - "An error occured": "En feil oppsto", - "Are you sure you want to cancel your changes?": "Er du sikker på at du vil du forkaste endringene dine?", - "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på at du vil klone dette kartet og alle tilhørende datalag?", - "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objektet?", - "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette laget?", - "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kartet?", - "Are you sure you want to delete this property on all the features?": "Er du sikker på at du vil slette denne egenskapen fra alle objektene?", - "Are you sure you want to restore this version?": "Er du sikker på at du vil gjenopprette denne versjonen?", - "Attach the map to my account": "Koble opp kartet til min konto", - "Auto": "Auto", - "Autostart when map is loaded": "Start automatisk når kartet er lastet", - "Bring feature to center": "Før objektet til midten", - "Browse data": "Se gjennom data", - "Cancel edits": "Avbryt endringer", - "Center map on your location": "Sentrer kartet på din posisjon", - "Change map background": "Endre bakgrunnskart", - "Change tilelayers": "Endre flislag", - "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": "Klikk for å legge til en markør", - "Click to continue drawing": "Klikk for å fortsette å tegne", - "Click to edit": "Klikk for å redigere", - "Click to start drawing a line": "Klikk for å starte å tegne en linje", - "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", - "Clone": "Dupliser", - "Clone of {name}": "Duplikat av {name}", - "Clone this feature": "Dupliser dette objektet", - "Clone this map": "Dupliser dette kartet", - "Close": "Lukk", - "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": "Fortsett linje", - "Continue line (Ctrl+Click)": "Fortsett linje (Ctrl+Klikk)", - "Coordinates": "Koordinater", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", - "Custom background": "Egendefinert bakgrunn", - "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": "Slett", - "Delete all layers": "Slett alle lag", - "Delete layer": "Slett lag", - "Delete this feature": "Slett dette objektet", - "Delete this property on all the features": "Slett denne egenskapen fra alle objekter", - "Delete this shape": "Slett denne figuren", - "Delete this vertex (Alt+Click)": "Slett denne noden (Alt+Klikk)", - "Directions from here": "Navigasjon herfra", - "Disable editing": "Deaktiver redigering", - "Display measure": "Vis måling", - "Display on load": "Vis ved innlasting", "Download": "Last ned", "Download data": "Last ned data", "Drag to reorder": "Dra for å endre rekkefølge", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Tegn en markør", "Draw a polygon": "Tegn et polygon", "Draw a polyline": "Tegn en polylinje", + "Drop": "Drop", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiske egenskaper", "Edit": "Rediger", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Bygg inn kartet", "Empty": "Tøm", "Enable editing": "Aktiver redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Feil i flislag-URLen", "Error while fetching {url}": "Feil under henting av {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Gå ut av fullskjerm", "Extract shape to separate feature": "Hent ut form til eget objekt", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Hent data hver gang kartvisningen endres.", "Filter keys": "Filtrer nøkler", "Filter…": "Filtrer...", "Format": "Format", "From zoom": "Fra zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (bare link)", + "GeoRSS (title + image)": "GeoRSS (tittel og bilde)", "Go to «{feature}»": "Gå til \"{feature}\"", + "Heatmap": "Varmekart", "Heatmap intensity property": "Varmekart intensitet-egenskap", "Heatmap radius": "Varmekart radius", "Help": "Hjelp", "Hide controls": "Skjul kontrollene", "Home": "Hjem", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hvor mye polylinjene skal simplifiseres på hvert zoom-nivå (mer = bedre ytelse og mer sømløst, mindre = mer nøyaktig)", + "Icon shape": "Ikonform", + "Icon symbol": "Ikonsymbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Arve", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Merkelapp-retning", + "Label key": "Merkelapp-nøkkel", + "Labels are clickable": "Merkelapper er klikkbare", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "På bunnen", + "On the left": "Til venstre", + "On the right": "Til høyre", + "On the top": "På toppen", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Angi symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Sidepanel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplifisere", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol eller URL", "TMS format": "TMS format", + "Table": "Tabell", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "alltid", "attribution": "attribution", "by": "by", + "clear": "tøm", + "collapsed": "collapsed", + "color": "farge", + "dash array": "dash array", + "define": "definer", + "description": "beskrivelse", "display name": "display name", + "expanded": "expanded", + "fill": "fyll", + "fill color": "fyllfarge", + "fill opacity": "fyllsynlighet", "height": "height", + "hidden": "skjult", + "iframe": "iframe", + "inherit": "arve", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "navn", + "never": "aldri", + "new window": "nytt vindu", "next": "next", + "no": "nei", + "on hover": "når musa er over", + "opacity": "synlighet", + "parent window": "foreldrevindu", "previous": "previous", + "stroke": "strøk", + "weight": "vekt", "width": "width", + "yes": "ja", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("no", locale); L.setLocale("no"); \ No newline at end of file diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 57509834..93a9d10c 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en emneknagg for hovedtittel", + "## two hashes for second heading": "## to emneknagger for andre tittel", + "### three hashes for third heading": "### tre emneknagger for tredje tittel", + "**double star for bold**": "**dobbel stjerne for fet skrift**", + "*simple star for italic*": "*enkel stjerne for kursiv*", + "--- for an horizontal rule": "--- for et horisontalt skille", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En komma-separert liste over nummer som definerer den stiplede linja. Eks.: \"5, 10, 15\".", + "About": "Om", + "Action not allowed :(": "Handlingen er ikke tillatt :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Legg til et lag", + "Add a line to the current multi": "Legg en linje til gjeldende multi", + "Add a new property": "Legg til en ny egenskap", + "Add a polygon to the current multi": "Legg et polygon til gjeldende multi", "Add symbol": "Legg til symbol", + "Advanced actions": "Avanserte handlinger", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avanserte egenskaper", + "Advanced transition": "Avansert overgang", + "All properties are imported.": "Alle egenskaper er importert", + "Allow interactions": "Tillat interaksjoner", "Allow scroll wheel zoom?": "Tillat rulling med zoom-hjulet?", + "An error occured": "En feil oppsto", + "Are you sure you want to cancel your changes?": "Er du sikker på at du vil du forkaste endringene dine?", + "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på at du vil klone dette kartet og alle tilhørende datalag?", + "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objektet?", + "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette laget?", + "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kartet?", + "Are you sure you want to delete this property on all the features?": "Er du sikker på at du vil slette denne egenskapen fra alle objektene?", + "Are you sure you want to restore this version?": "Er du sikker på at du vil gjenopprette denne versjonen?", + "Attach the map to my account": "Koble opp kartet til min konto", + "Auto": "Auto", "Automatic": "Automatisk", + "Autostart when map is loaded": "Start automatisk når kartet er lastet", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Før objektet til midten", + "Browse data": "Se gjennom data", + "Cache proxied request": "Cache proxied request", "Cancel": "Avbryt", + "Cancel edits": "Avbryt endringer", "Caption": "Caption", + "Center map on your location": "Sentrer kartet på din posisjon", + "Change map background": "Endre bakgrunnskart", "Change symbol": "Endre symbol", + "Change tilelayers": "Endre flislag", + "Choose a preset": "Choose a preset", "Choose the data format": "Velg dataformatet", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Sirkel", + "Click last point to finish shape": "Click last point to finish shape", + "Click to add a marker": "Klikk for å legge til en markør", + "Click to continue drawing": "Klikk for å fortsette å tegne", + "Click to edit": "Klikk for å redigere", + "Click to start drawing a line": "Klikk for å starte å tegne en linje", + "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", + "Clone": "Dupliser", + "Clone of {name}": "Duplikat av {name}", + "Clone this feature": "Dupliser dette objektet", + "Clone this map": "Dupliser dette kartet", + "Close": "Lukk", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Fortsett linje", + "Continue line (Ctrl+Click)": "Fortsett linje (Ctrl+Klikk)", + "Coordinates": "Koordinater", + "Credits": "Credits", + "Current view instead of default map view?": "Current view instead of default map view?", + "Custom background": "Egendefinert bakgrunn", + "Custom overlay": "Custom overlay", "Data browser": "Dataleser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Standard", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Standard zoom-nivå", "Default: name": "Standard: navn", + "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": "Slett", + "Delete all layers": "Slett alle lag", + "Delete layer": "Slett lag", + "Delete this feature": "Slett dette objektet", + "Delete this property on all the features": "Slett denne egenskapen fra alle objekter", + "Delete this shape": "Slett denne figuren", + "Delete this vertex (Alt+Click)": "Slett denne noden (Alt+Klikk)", + "Directions from here": "Navigasjon herfra", + "Disable editing": "Deaktiver redigering", "Display label": "Vis merkelapp", + "Display measure": "Vis måling", + "Display on load": "Vis ved innlasting", "Display the control to open OpenStreetMap editor": "Vis grensesnitt for å åpne OpenStreetMap-redigerer", "Display the data layers control": "Vis grensesnitt for datalag", "Display the embed control": "Vis grensesnitt for innbygging", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Vil du vise et oversiktskart?", "Do you want to display a panel on load?": "Vil du vise et panel etter innlasting?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Vil du vise en popup-bunntekst?", "Do you want to display the scale control?": "Vil du vise grensesnitt for skalering?", "Do you want to display the «more» control?": "Vil du vise grensesnitt for \"mer\"?", - "Drop": "Drop", - "GeoRSS (only link)": "GeoRSS (bare link)", - "GeoRSS (title + image)": "GeoRSS (tittel og bilde)", - "Heatmap": "Varmekart", - "Icon shape": "Ikonform", - "Icon symbol": "Ikonsymbol", - "Inherit": "Arve", - "Label direction": "Merkelapp-retning", - "Label key": "Merkelapp-nøkkel", - "Labels are clickable": "Merkelapper er klikkbare", - "None": "Ingen", - "On the bottom": "På bunnen", - "On the left": "Til venstre", - "On the right": "Til høyre", - "On the top": "På toppen", - "Popup content template": "Popup content template", - "Set symbol": "Angi symbol", - "Side panel": "Sidepanel", - "Simplify": "Simplifisere", - "Symbol or url": "Symbol eller URL", - "Table": "Tabell", - "always": "alltid", - "clear": "tøm", - "collapsed": "collapsed", - "color": "farge", - "dash array": "dash array", - "define": "definer", - "description": "beskrivelse", - "expanded": "expanded", - "fill": "fyll", - "fill color": "fyllfarge", - "fill opacity": "fyllsynlighet", - "hidden": "skjult", - "iframe": "iframe", - "inherit": "arve", - "name": "navn", - "never": "aldri", - "new window": "nytt vindu", - "no": "nei", - "on hover": "når musa er over", - "opacity": "synlighet", - "parent window": "foreldrevindu", - "stroke": "strøk", - "weight": "vekt", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# en emneknagg for hovedtittel", - "## two hashes for second heading": "## to emneknagger for andre tittel", - "### three hashes for third heading": "### tre emneknagger for tredje tittel", - "**double star for bold**": "**dobbel stjerne for fet skrift**", - "*simple star for italic*": "*enkel stjerne for kursiv*", - "--- for an horizontal rule": "--- for et horisontalt skille", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En komma-separert liste over nummer som definerer den stiplede linja. Eks.: \"5, 10, 15\".", - "About": "Om", - "Action not allowed :(": "Handlingen er ikke tillatt :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Legg til et lag", - "Add a line to the current multi": "Legg en linje til gjeldende multi", - "Add a new property": "Legg til en ny egenskap", - "Add a polygon to the current multi": "Legg et polygon til gjeldende multi", - "Advanced actions": "Avanserte handlinger", - "Advanced properties": "Avanserte egenskaper", - "Advanced transition": "Avansert overgang", - "All properties are imported.": "Alle egenskaper er importert", - "Allow interactions": "Tillat interaksjoner", - "An error occured": "En feil oppsto", - "Are you sure you want to cancel your changes?": "Er du sikker på at du vil du forkaste endringene dine?", - "Are you sure you want to clone this map and all its datalayers?": "Er du sikker på at du vil klone dette kartet og alle tilhørende datalag?", - "Are you sure you want to delete the feature?": "Er du sikker på at du vil slette dette objektet?", - "Are you sure you want to delete this layer?": "Er du sikker på at du vil slette dette laget?", - "Are you sure you want to delete this map?": "Er du sikker på at du vil slette dette kartet?", - "Are you sure you want to delete this property on all the features?": "Er du sikker på at du vil slette denne egenskapen fra alle objektene?", - "Are you sure you want to restore this version?": "Er du sikker på at du vil gjenopprette denne versjonen?", - "Attach the map to my account": "Koble opp kartet til min konto", - "Auto": "Auto", - "Autostart when map is loaded": "Start automatisk når kartet er lastet", - "Bring feature to center": "Før objektet til midten", - "Browse data": "Se gjennom data", - "Cancel edits": "Avbryt endringer", - "Center map on your location": "Sentrer kartet på din posisjon", - "Change map background": "Endre bakgrunnskart", - "Change tilelayers": "Endre flislag", - "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": "Klikk for å legge til en markør", - "Click to continue drawing": "Klikk for å fortsette å tegne", - "Click to edit": "Klikk for å redigere", - "Click to start drawing a line": "Klikk for å starte å tegne en linje", - "Click to start drawing a polygon": "Klikk for å starte å tegne et polygon", - "Clone": "Dupliser", - "Clone of {name}": "Duplikat av {name}", - "Clone this feature": "Dupliser dette objektet", - "Clone this map": "Dupliser dette kartet", - "Close": "Lukk", - "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": "Fortsett linje", - "Continue line (Ctrl+Click)": "Fortsett linje (Ctrl+Klikk)", - "Coordinates": "Koordinater", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", - "Custom background": "Egendefinert bakgrunn", - "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": "Slett", - "Delete all layers": "Slett alle lag", - "Delete layer": "Slett lag", - "Delete this feature": "Slett dette objektet", - "Delete this property on all the features": "Slett denne egenskapen fra alle objekter", - "Delete this shape": "Slett denne figuren", - "Delete this vertex (Alt+Click)": "Slett denne noden (Alt+Klikk)", - "Directions from here": "Navigasjon herfra", - "Disable editing": "Deaktiver redigering", - "Display measure": "Vis måling", - "Display on load": "Vis ved innlasting", "Download": "Last ned", "Download data": "Last ned data", "Drag to reorder": "Dra for å endre rekkefølge", @@ -159,6 +125,7 @@ "Draw a marker": "Tegn en markør", "Draw a polygon": "Tegn et polygon", "Draw a polyline": "Tegn en polylinje", + "Drop": "Drop", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiske egenskaper", "Edit": "Rediger", @@ -172,23 +139,31 @@ "Embed the map": "Bygg inn kartet", "Empty": "Tøm", "Enable editing": "Aktiver redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Feil i flislag-URLen", "Error while fetching {url}": "Feil under henting av {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Gå ut av fullskjerm", "Extract shape to separate feature": "Hent ut form til eget objekt", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Hent data hver gang kartvisningen endres.", "Filter keys": "Filtrer nøkler", "Filter…": "Filtrer...", "Format": "Format", "From zoom": "Fra zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (bare link)", + "GeoRSS (title + image)": "GeoRSS (tittel og bilde)", "Go to «{feature}»": "Gå til \"{feature}\"", + "Heatmap": "Varmekart", "Heatmap intensity property": "Varmekart intensitet-egenskap", "Heatmap radius": "Varmekart radius", "Help": "Hjelp", "Hide controls": "Skjul kontrollene", "Home": "Hjem", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hvor mye polylinjene skal simplifiseres på hvert zoom-nivå (mer = bedre ytelse og mer sømløst, mindre = mer nøyaktig)", + "Icon shape": "Ikonform", + "Icon symbol": "Ikonsymbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Arve", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Merkelapp-retning", + "Label key": "Merkelapp-nøkkel", + "Labels are clickable": "Merkelapper er klikkbare", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "På bunnen", + "On the left": "Til venstre", + "On the right": "Til høyre", + "On the top": "På toppen", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Angi symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Sidepanel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplifisere", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol eller URL", "TMS format": "TMS format", + "Table": "Tabell", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "alltid", "attribution": "attribution", "by": "by", + "clear": "tøm", + "collapsed": "collapsed", + "color": "farge", + "dash array": "dash array", + "define": "definer", + "description": "beskrivelse", "display name": "display name", + "expanded": "expanded", + "fill": "fyll", + "fill color": "fyllfarge", + "fill opacity": "fyllsynlighet", "height": "height", + "hidden": "skjult", + "iframe": "iframe", + "inherit": "arve", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "navn", + "never": "aldri", + "new window": "nytt vindu", "next": "next", + "no": "nei", + "on hover": "når musa er over", + "opacity": "synlighet", + "parent window": "foreldrevindu", "previous": "previous", + "stroke": "strøk", + "weight": "vekt", "width": "width", + "yes": "ja", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 4aee9c5e..0600b88b 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jeden krzyżyk – nagłówek pierwszego poziomu", + "## two hashes for second heading": "## dwa krzyżyki – nagłówek drugiego poziomu", + "### 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": "Pozioma linia: ---", + "1 day": "1 dzień", + "1 hour": "1 godzina", + "5 min": "5 minut", + "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 :(", + "Activate slideshow mode": "Aktywuj pokaz slajdów", + "Add a layer": "Dodaj warstwę", + "Add a line to the current multi": "Dodaj linię do wybranego obszaru", + "Add a new property": "Dodaj nową właściwość", + "Add a polygon to the current multi": "Dodaj wielobok do wybranego obszaru", "Add symbol": "Dodaj symbol", + "Advanced actions": "Zaawansowane operacje", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Zaawansowane właściwości", + "Advanced transition": "Zaawansowane przejście", + "All properties are imported.": "Importowane są wszystkie właściwości.", + "Allow interactions": "Zezwalaj na interakcję", "Allow scroll wheel zoom?": "Pozwalać na przybliżanie kółkiem?", + "An error occured": "Wystąpił błąd", + "Are you sure you want to cancel your changes?": "Na pewno chcesz porzucić swoje zmiany?", + "Are you sure you want to clone this map and all its datalayers?": "Na pewno chcesz sklonować tę mapę razem z jej warstwami?", + "Are you sure you want to delete the feature?": "Na pewno chcesz usunąć ten obiekt?", + "Are you sure you want to delete this layer?": "Na pewno chcesz usunąć tę warstwę?", + "Are you sure you want to delete this map?": "Na pewno chcesz usunąć tą mapę?", + "Are you sure you want to delete this property on all the features?": "Na pewno chcesz usunąć tę właściwość we wszystkich obiektach?", + "Are you sure you want to restore this version?": "Na pewno chcesz przywrócić tę wersję?", + "Attach the map to my account": "Dołącz mapę do mojego konta", + "Auto": "Auto", "Automatic": "Automatyczny", + "Autostart when map is loaded": "Autostart po załadowaniu mapy", + "Background overlay url": "Background overlay url", "Ball": "Pinezka", + "Bring feature to center": "Przenieś obiekt do środka", + "Browse data": "Przeglądaj dane", + "Cache proxied request": "Zapytanie pośredniczące pamięci podręcznej", "Cancel": "Anuluj", + "Cancel edits": "Anuluj edycje", "Caption": "Podpis", + "Center map on your location": "Wyśrodkuj mapę na twojej lokalizacji", + "Change map background": "Zmień podkład mapy", "Change symbol": "Zmień symbol", + "Change tilelayers": "Zmień podkład", + "Choose a preset": "Wybierz szablon", "Choose the data format": "Wybierz format danych", + "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer of the feature": "Wybierz warstwę obiektu", + "Choose the layer to import in": "Wybierz warstwę docelową", "Circle": "Kółko", + "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", + "Click to add a marker": "Kliknij, aby dodać znacznik", + "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", + "Click to edit": "Kliknij, aby edytować", + "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", + "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", + "Clone": "Klonuj", + "Clone of {name}": "Sklonowane z {name}", + "Clone this feature": "Sklonuj ten obiekt", + "Clone this map": "Sklonuj mapę", + "Close": "Zamknij", "Clustered": "Zgrupowane", + "Clustering radius": "Promień grupowania", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.", + "Continue line": "Kontynuuj linię", + "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", + "Coordinates": "Współrzędne", + "Credits": "Źródło", + "Current view instead of default map view?": "Obecny widok mapy zamiast domyślnego?", + "Custom background": "Własne tło", + "Custom overlay": "Custom overlay", "Data browser": "Przeglądanie danych", + "Data filters": "Data filters", + "Data is browsable": "Dane można przeglądać", "Default": "Domyślne", + "Default interaction options": "Domyślne ustawienia interakcji", + "Default properties": "Domyślne właściwości", + "Default shape properties": "Domyślne właściwości kształtu", "Default zoom level": "Domyślne przybliżenie", "Default: name": "Domyślnie: name", + "Define link to open in a new window on polygon click.": "Ustaw odnośnik, który otworzy się w nowym oknie po kliknięciu wielokąta.", + "Delay between two transitions when in play mode": "Opóźnienie pomiędzy dwoma przejściami w trybie odtwarzania", + "Delete": "Usuń", + "Delete all layers": "Usuń wszystkie warstwy", + "Delete layer": "Usuń warstwę", + "Delete this feature": "Usuń ten obiekt", + "Delete this property on all the features": "Usuń tę właściwość ze wszystkich obiektów", + "Delete this shape": "Usuń tę figurę", + "Delete this vertex (Alt+Click)": "Usuń ten wierzchołek (Alt+Klik)", + "Directions from here": "Kierunki stąd", + "Disable editing": "Wyłącz edytor", "Display label": "Wyświetl etykietę", + "Display measure": "Wyświetl pomiar", + "Display on load": "Wyświetl przy ładowaniu", "Display the control to open OpenStreetMap editor": "Wyświetlaj panel otwierający edytor OSM", "Display the data layers control": "Wyświetlaj panel warstw z danymi", "Display the embed control": "Wyświetlaj panel sterujący osadzaniem", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Wyświetlać pasek z nagłówkiem?", "Do you want to display a minimap?": "Wyświetlać minimapę?", "Do you want to display a panel on load?": "Wyświetlać panel po załadowaniu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Wyświetlać stopkę dymku?", "Do you want to display the scale control?": "Wyświetlać kontrolkę ze skalą?", "Do you want to display the «more» control?": "Wyświetlać „więcej kontrolek”?", - "Drop": "Kropla", - "GeoRSS (only link)": "GeoRSS (tylko link)", - "GeoRSS (title + image)": "GeoRSS (tytuł i obrazek)", - "Heatmap": "Mapa cieplna", - "Icon shape": "Kształt ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "Dziedziczne", - "Label direction": "Kierunek etykiety", - "Label key": "Klucz etykiety", - "Labels are clickable": "Etykiety są klikalne", - "None": "Brak", - "On the bottom": "Na dole", - "On the left": "Po lewej", - "On the right": "Po prawej", - "On the top": "Na górze", - "Popup content template": "Szablon treści dymku", - "Set symbol": "Ustaw symbol", - "Side panel": "Panel boczny", - "Simplify": "Uprość", - "Symbol or url": "Symbol lub adres URL", - "Table": "Tabela", - "always": "zawsze", - "clear": "wyczyść", - "collapsed": "zwinięty", - "color": "kolor", - "dash array": "przerywana linia", - "define": "określ", - "description": "opis", - "expanded": "rozwinięty", - "fill": "wypełnienie", - "fill color": "kolor wypełnienia", - "fill opacity": "stopień wypełnienia", - "hidden": "ukryte", - "iframe": "iframe", - "inherit": "dziedziczny", - "name": "nazwa", - "never": "nigdy", - "new window": "nowe okno", - "no": "nie", - "on hover": "po najechaniu", - "opacity": "przeźroczystość", - "parent window": "to samo okno", - "stroke": "obramowanie", - "weight": "waga", - "yes": "tak", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# jeden krzyżyk – nagłówek pierwszego poziomu", - "## two hashes for second heading": "## dwa krzyżyki – nagłówek drugiego poziomu", - "### 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": "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 :(", - "Activate slideshow mode": "Aktywuj pokaz slajdów", - "Add a layer": "Dodaj warstwę", - "Add a line to the current multi": "Dodaj linię do wybranego obszaru", - "Add a new property": "Dodaj nową właściwość", - "Add a polygon to the current multi": "Dodaj wielobok do wybranego obszaru", - "Advanced actions": "Zaawansowane operacje", - "Advanced properties": "Zaawansowane właściwości", - "Advanced transition": "Zaawansowane przejście", - "All properties are imported.": "Importowane są wszystkie właściwości.", - "Allow interactions": "Zezwalaj na interakcję", - "An error occured": "Wystąpił błąd", - "Are you sure you want to cancel your changes?": "Na pewno chcesz porzucić swoje zmiany?", - "Are you sure you want to clone this map and all its datalayers?": "Na pewno chcesz sklonować tę mapę razem z jej warstwami?", - "Are you sure you want to delete the feature?": "Na pewno chcesz usunąć ten obiekt?", - "Are you sure you want to delete this layer?": "Na pewno chcesz usunąć tę warstwę?", - "Are you sure you want to delete this map?": "Na pewno chcesz usunąć tą mapę?", - "Are you sure you want to delete this property on all the features?": "Na pewno chcesz usunąć tę właściwość we wszystkich obiektach?", - "Are you sure you want to restore this version?": "Na pewno chcesz przywrócić tę wersję?", - "Attach the map to my account": "Dołącz mapę do mojego konta", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart po załadowaniu mapy", - "Bring feature to center": "Przenieś obiekt do środka", - "Browse data": "Przeglądaj dane", - "Cancel edits": "Anuluj edycje", - "Center map on your location": "Wyśrodkuj mapę na twojej lokalizacji", - "Change map background": "Zmień podkład mapy", - "Change tilelayers": "Zmień podkład", - "Choose a preset": "Wybierz szablon", - "Choose the format of the data to import": "Wybierz format importowanych danych", - "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", - "Click to edit": "Kliknij, aby edytować", - "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", - "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", - "Clone": "Klonuj", - "Clone of {name}": "Sklonowane z {name}", - "Clone this feature": "Sklonuj ten obiekt", - "Clone this map": "Sklonuj mapę", - "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.", - "Continue line": "Kontynuuj linię", - "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", - "Coordinates": "Współrzędne", - "Credits": "Źródło", - "Current view instead of default map view?": "Obecny widok mapy zamiast domyślnego?", - "Custom background": "Własne tło", - "Data is browsable": "Dane można przeglądać", - "Default interaction options": "Domyślne ustawienia interakcji", - "Default properties": "Domyślne właściwości", - "Default shape properties": "Domyślne właściwości kształtu", - "Define link to open in a new window on polygon click.": "Ustaw odnośnik, który otworzy się w nowym oknie po kliknięciu wielokąta.", - "Delay between two transitions when in play mode": "Opóźnienie pomiędzy dwoma przejściami w trybie odtwarzania", - "Delete": "Usuń", - "Delete all layers": "Usuń wszystkie warstwy", - "Delete layer": "Usuń warstwę", - "Delete this feature": "Usuń ten obiekt", - "Delete this property on all the features": "Usuń tę właściwość ze wszystkich obiektów", - "Delete this shape": "Usuń tę figurę", - "Delete this vertex (Alt+Click)": "Usuń ten wierzchołek (Alt+Klik)", - "Directions from here": "Kierunki stąd", - "Disable editing": "Wyłącz edytor", - "Display measure": "Wyświetl pomiar", - "Display on load": "Wyświetl przy ładowaniu", "Download": "Pobieranie", "Download data": "Pobierz dane", "Drag to reorder": "Przeciągnij, by zmienić kolejność", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Dodaj znacznik", "Draw a polygon": "Rysuj obszar", "Draw a polyline": "Rysuj linię", + "Drop": "Kropla", "Dynamic": "Dynamiczne", "Dynamic properties": "Właściwości dynamiczne", "Edit": "Edytuj", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Osadź mapę na stronie", "Empty": "Wyczyść", "Enable editing": "Włącz edytor", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Błąd w adresie URL podkładu", "Error while fetching {url}": "Błąd wczytywania {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Zamknij pełny ekran", "Extract shape to separate feature": "Wydziel figurę jako odrębny obiekt", + "Feature identifier key": "Klucz identyfikacyjny obiektu", "Fetch data each time map view changes.": "Załaduj dane za każdym razem, gdy zmienia się widok mapy.", "Filter keys": "Klucze filtrów", "Filter…": "Filtr...", "Format": "Format", "From zoom": "Od przybliżenia", "Full map data": "Pełne dane mapy", + "GeoRSS (only link)": "GeoRSS (tylko link)", + "GeoRSS (title + image)": "GeoRSS (tytuł i obrazek)", "Go to «{feature}»": "Idź do „{feature}”", + "Heatmap": "Mapa cieplna", "Heatmap intensity property": "Intensywność mapy cieplnej", "Heatmap radius": "Promień mapy cieplnej", "Help": "Pomoc", "Hide controls": "Ukryj przyciski", "Home": "Strona główna", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Jak bardzo uprościć obszar na każdym poziomie przybliżenia (więcej = większa wydajność i gładki wygląd, mniej = większa dokładność)", + "Icon shape": "Kształt ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Jeżeli fałsz, wielokąt będzie zachowywał się jak część mapy zasadniczej.", "Iframe export options": "Opcje eksportu Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Ramka z podaną wysokością (w pikselach) {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importuj do nowej warstwy", "Imports all umap data, including layers and settings.": "Import wszystkich danych umap, razem z warstwami i ustawieniami.", "Include full screen link?": "Dołączyć link do pełnego ekranu?", + "Inherit": "Dziedziczne", "Interaction options": "Opcje interakcji", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Niepoprawne dane umap", "Invalid umap data in {filename}": "Niepoprawne dane umap w {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Zachowaj obecnie widoczne warstwy", + "Label direction": "Kierunek etykiety", + "Label key": "Klucz etykiety", + "Labels are clickable": "Etykiety są klikalne", "Latitude": "Szerokość geograficzna", "Layer": "Warstwa", "Layer properties": "Ustawienia warstwy", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Połącz linie", "More controls": "Więcej przycisków", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Musi być prawidłową wartością CSS (np. DarkBlue lub #123456)", + "No cache": "Brak pamięci podręcznej", "No licence has been set": "Nie wybrano licencji", "No results": "Brak wyników", + "No results for these filters": "No results for these filters", + "None": "Brak", + "On the bottom": "Na dole", + "On the left": "Po lewej", + "On the right": "Po prawej", + "On the top": "Na górze", "Only visible features will be downloaded.": "Tylko widoczne obiekty zostaną pobrane.", + "Open current feature on load": "Otwórz bieżący obiekt po załadowaniu", "Open download panel": "Otwórz panel pobierania", "Open link in…": "Otwieraj odnośnik w...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otwórz ten zakres mapy w edytorze, by wprowadzić do OpenStreetMap dokładniejsze dane", "Optional intensity property for heatmap": "Opcjonalna intensywność mapy cieplnej", + "Optional.": "Opcjonalnie.", "Optional. Same as color if not set.": "Opcjonalne. Taki sam jak kolor, jeśli nie podano.", "Override clustering radius (default 80)": "Nadpisz promień grupowania (domyślnie 80)", "Override heatmap radius (default 25)": "Nadpisz promień mapy cieplnej (domyślnie 25)", + "Paste your data here": "Wklej tutaj swoje dane", + "Permalink": "Bezpośredni odnośnik.", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Upewnij się, że korzystanie z tych danych jest zgodne z licencją.", "Please choose a format": "Wybierz format", "Please enter the name of the property": "Podaj nazwę właściwości", "Please enter the new name of this property": "Podaj nową nazwę tej właściwości", + "Please save the map first": "Prosimy najpierw zapisać mapę", + "Popup": "Wyskakujące okienko", + "Popup (large)": "Wyskakujące okienko (duże)", + "Popup content style": "Styl zawartości wyskakującego okienka", + "Popup content template": "Szablon treści dymku", + "Popup shape": "Kształt wyskakującego okienka", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "Pokaż wszystko", "See data layers": "Zobacz wszystkie warstwy danych", "See full screen": "Pełny ekran", + "Select data": "Select data", "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 symbol": "Ustaw symbol", "Shape properties": "Właściwości kształtu", "Short URL": "Krótki adres URL", "Short credits": "Krótkie źródło", "Show/hide layer": "Pokaż/ukryj warstwę", + "Side panel": "Panel boczny", "Simple link: [[http://example.com]]": "Prosty link: [[http://example.com]]", + "Simplify": "Uprość", + "Skipping unknown geometry.type: {type}": "Pomijanie nieznanego rodzaju geometrii: {type}", "Slideshow": "Pokaz slajdów", "Smart transitions": "Sprytne przejścia", "Sort key": "Klucz sortowania", @@ -280,10 +285,13 @@ var locale = { "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 or url": "Symbol lub adres URL", "TMS format": "Format TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu.", "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)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Kto może edytować", "Who can view": "Kto może zobaczyć", "Will be displayed in the bottom right corner of the map": "Będzie wyświetlone w prawym dolnym rogu mapy", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Będzie widoczne w nagłówku mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ups! Ktoś jeszcze edytował dane. Możesz mimo wszystko zapisać, ale to usunie zmiany dokonane przez innych.", "You have unsaved changes.": "Masz niezapisane zmiany.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Przybliż do poprzedniego", "Zoom to this feature": "Przybliż do tego obiektu", "Zoom to this place": "Przybliż do tego miejsca", + "always": "zawsze", "attribution": "oznaczenie autorstwa", "by": " ", + "clear": "wyczyść", + "collapsed": "zwinięty", + "color": "kolor", + "dash array": "przerywana linia", + "define": "określ", + "description": "opis", "display name": "wyświetl nazwę", + "expanded": "rozwinięty", + "fill": "wypełnienie", + "fill color": "kolor wypełnienia", + "fill opacity": "stopień wypełnienia", "height": "wysokość", + "hidden": "ukryte", + "iframe": "iframe", + "inherit": "dziedziczny", "licence": "licencja", "max East": "granica wschodnia", "max North": "granica północna", @@ -332,10 +355,21 @@ var locale = { "max West": "granica zachodnia", "max zoom": "maksymalne powiększenie", "min zoom": "minimalne powiększenie", + "name": "nazwa", + "never": "nigdy", + "new window": "nowe okno", "next": "następne", + "no": "nie", + "on hover": "po najechaniu", + "opacity": "przeźroczystość", + "parent window": "to samo okno", "previous": "poprzednie", + "stroke": "obramowanie", + "weight": "waga", "width": "szerokość", + "yes": "tak", "{count} errors during import: {message}": "{count} błędów podczas importu: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Pomiar odległości", "NM": "NM", "kilometers": "kilometry", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "mile", "nautical miles": "mile morskie", - "{area} acres": "{area} akrów", - "{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} mi", - "{distance} yd": "{distance} yd", - "1 day": "1 dzień", - "1 hour": "1 godzina", - "5 min": "5 minut", - "Cache proxied request": "Zapytanie pośredniczące pamięci podręcznej", - "No cache": "Brak pamięci podręcznej", - "Popup": "Wyskakujące okienko", - "Popup (large)": "Wyskakujące okienko (duże)", - "Popup content style": "Styl zawartości wyskakującego okienka", - "Popup shape": "Kształt wyskakującego okienka", - "Skipping unknown geometry.type: {type}": "Pomijanie nieznanego rodzaju geometrii: {type}", - "Optional.": "Opcjonalnie.", - "Paste your data here": "Wklej tutaj swoje dane", - "Please save the map first": "Prosimy najpierw zapisać mapę", - "Feature identifier key": "Klucz identyfikacyjny obiektu", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} akrów", + "{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} mi", + "{distance} yd": "{distance} yd" }; 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 39676835..3ee0c92c 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jeden krzyżyk – nagłówek pierwszego poziomu", + "## two hashes for second heading": "## dwa krzyżyki – nagłówek drugiego poziomu", + "### 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": "Pozioma linia: ---", + "1 day": "1 dzień", + "1 hour": "1 godzina", + "5 min": "5 minut", + "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 :(", + "Activate slideshow mode": "Aktywuj pokaz slajdów", + "Add a layer": "Dodaj warstwę", + "Add a line to the current multi": "Dodaj linię do wybranego obszaru", + "Add a new property": "Dodaj nową właściwość", + "Add a polygon to the current multi": "Dodaj wielobok do wybranego obszaru", "Add symbol": "Dodaj symbol", + "Advanced actions": "Zaawansowane operacje", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Zaawansowane właściwości", + "Advanced transition": "Zaawansowane przejście", + "All properties are imported.": "Importowane są wszystkie właściwości.", + "Allow interactions": "Zezwalaj na interakcję", "Allow scroll wheel zoom?": "Pozwalać na przybliżanie kółkiem?", + "An error occured": "Wystąpił błąd", + "Are you sure you want to cancel your changes?": "Na pewno chcesz porzucić swoje zmiany?", + "Are you sure you want to clone this map and all its datalayers?": "Na pewno chcesz sklonować tę mapę razem z jej warstwami?", + "Are you sure you want to delete the feature?": "Na pewno chcesz usunąć ten obiekt?", + "Are you sure you want to delete this layer?": "Na pewno chcesz usunąć tę warstwę?", + "Are you sure you want to delete this map?": "Na pewno chcesz usunąć tą mapę?", + "Are you sure you want to delete this property on all the features?": "Na pewno chcesz usunąć tę właściwość we wszystkich obiektach?", + "Are you sure you want to restore this version?": "Na pewno chcesz przywrócić tę wersję?", + "Attach the map to my account": "Dołącz mapę do mojego konta", + "Auto": "Auto", "Automatic": "Automatyczny", + "Autostart when map is loaded": "Autostart po załadowaniu mapy", + "Background overlay url": "Background overlay url", "Ball": "Pinezka", + "Bring feature to center": "Przenieś obiekt do środka", + "Browse data": "Przeglądaj dane", + "Cache proxied request": "Zapytanie pośredniczące pamięci podręcznej", "Cancel": "Anuluj", + "Cancel edits": "Anuluj edycje", "Caption": "Podpis", + "Center map on your location": "Wyśrodkuj mapę na twojej lokalizacji", + "Change map background": "Zmień podkład mapy", "Change symbol": "Zmień symbol", + "Change tilelayers": "Zmień podkład", + "Choose a preset": "Wybierz szablon", "Choose the data format": "Wybierz format danych", + "Choose the format of the data to import": "Wybierz format importowanych danych", "Choose the layer of the feature": "Wybierz warstwę obiektu", + "Choose the layer to import in": "Wybierz warstwę docelową", "Circle": "Kółko", + "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", + "Click to add a marker": "Kliknij, aby dodać znacznik", + "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", + "Click to edit": "Kliknij, aby edytować", + "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", + "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", + "Clone": "Klonuj", + "Clone of {name}": "Sklonowane z {name}", + "Clone this feature": "Sklonuj ten obiekt", + "Clone this map": "Sklonuj mapę", + "Close": "Zamknij", "Clustered": "Zgrupowane", + "Clustering radius": "Promień grupowania", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.", + "Continue line": "Kontynuuj linię", + "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", + "Coordinates": "Współrzędne", + "Credits": "Źródło", + "Current view instead of default map view?": "Obecny widok mapy zamiast domyślnego?", + "Custom background": "Własne tło", + "Custom overlay": "Custom overlay", "Data browser": "Przeglądanie danych", + "Data filters": "Data filters", + "Data is browsable": "Dane można przeglądać", "Default": "Domyślne", + "Default interaction options": "Domyślne ustawienia interakcji", + "Default properties": "Domyślne właściwości", + "Default shape properties": "Domyślne właściwości kształtu", "Default zoom level": "Domyślne przybliżenie", "Default: name": "Domyślnie: name", + "Define link to open in a new window on polygon click.": "Ustaw odnośnik, który otworzy się w nowym oknie po kliknięciu wielokąta.", + "Delay between two transitions when in play mode": "Opóźnienie pomiędzy dwoma przejściami w trybie odtwarzania", + "Delete": "Usuń", + "Delete all layers": "Usuń wszystkie warstwy", + "Delete layer": "Usuń warstwę", + "Delete this feature": "Usuń ten obiekt", + "Delete this property on all the features": "Usuń tę właściwość ze wszystkich obiektów", + "Delete this shape": "Usuń tę figurę", + "Delete this vertex (Alt+Click)": "Usuń ten wierzchołek (Alt+Klik)", + "Directions from here": "Kierunki stąd", + "Disable editing": "Wyłącz edytor", "Display label": "Wyświetl etykietę", + "Display measure": "Wyświetl pomiar", + "Display on load": "Wyświetl przy ładowaniu", "Display the control to open OpenStreetMap editor": "Wyświetlaj panel otwierający edytor OSM", "Display the data layers control": "Wyświetlaj panel warstw z danymi", "Display the embed control": "Wyświetlaj panel sterujący osadzaniem", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Wyświetlać pasek z nagłówkiem?", "Do you want to display a minimap?": "Wyświetlać minimapę?", "Do you want to display a panel on load?": "Wyświetlać panel po załadowaniu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Wyświetlać stopkę dymku?", "Do you want to display the scale control?": "Wyświetlać kontrolkę ze skalą?", "Do you want to display the «more» control?": "Wyświetlać „więcej kontrolek”?", - "Drop": "Kropla", - "GeoRSS (only link)": "GeoRSS (tylko link)", - "GeoRSS (title + image)": "GeoRSS (tytuł i obrazek)", - "Heatmap": "Mapa cieplna", - "Icon shape": "Kształt ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "Dziedziczne", - "Label direction": "Kierunek etykiety", - "Label key": "Klucz etykiety", - "Labels are clickable": "Etykiety są klikalne", - "None": "Brak", - "On the bottom": "Na dole", - "On the left": "Po lewej", - "On the right": "Po prawej", - "On the top": "Na górze", - "Popup content template": "Szablon treści dymku", - "Set symbol": "Ustaw symbol", - "Side panel": "Panel boczny", - "Simplify": "Uprość", - "Symbol or url": "Symbol lub adres URL", - "Table": "Tabela", - "always": "zawsze", - "clear": "wyczyść", - "collapsed": "zwinięty", - "color": "kolor", - "dash array": "przerywana linia", - "define": "określ", - "description": "opis", - "expanded": "rozwinięty", - "fill": "wypełnienie", - "fill color": "kolor wypełnienia", - "fill opacity": "stopień wypełnienia", - "hidden": "ukryte", - "iframe": "iframe", - "inherit": "dziedziczny", - "name": "nazwa", - "never": "nigdy", - "new window": "nowe okno", - "no": "nie", - "on hover": "po najechaniu", - "opacity": "przeźroczystość", - "parent window": "to samo okno", - "stroke": "obramowanie", - "weight": "waga", - "yes": "tak", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# jeden krzyżyk – nagłówek pierwszego poziomu", - "## two hashes for second heading": "## dwa krzyżyki – nagłówek drugiego poziomu", - "### 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": "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 :(", - "Activate slideshow mode": "Aktywuj pokaz slajdów", - "Add a layer": "Dodaj warstwę", - "Add a line to the current multi": "Dodaj linię do wybranego obszaru", - "Add a new property": "Dodaj nową właściwość", - "Add a polygon to the current multi": "Dodaj wielobok do wybranego obszaru", - "Advanced actions": "Zaawansowane operacje", - "Advanced properties": "Zaawansowane właściwości", - "Advanced transition": "Zaawansowane przejście", - "All properties are imported.": "Importowane są wszystkie właściwości.", - "Allow interactions": "Zezwalaj na interakcję", - "An error occured": "Wystąpił błąd", - "Are you sure you want to cancel your changes?": "Na pewno chcesz porzucić swoje zmiany?", - "Are you sure you want to clone this map and all its datalayers?": "Na pewno chcesz sklonować tę mapę razem z jej warstwami?", - "Are you sure you want to delete the feature?": "Na pewno chcesz usunąć ten obiekt?", - "Are you sure you want to delete this layer?": "Na pewno chcesz usunąć tę warstwę?", - "Are you sure you want to delete this map?": "Na pewno chcesz usunąć tą mapę?", - "Are you sure you want to delete this property on all the features?": "Na pewno chcesz usunąć tę właściwość we wszystkich obiektach?", - "Are you sure you want to restore this version?": "Na pewno chcesz przywrócić tę wersję?", - "Attach the map to my account": "Dołącz mapę do mojego konta", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart po załadowaniu mapy", - "Bring feature to center": "Przenieś obiekt do środka", - "Browse data": "Przeglądaj dane", - "Cancel edits": "Anuluj edycje", - "Center map on your location": "Wyśrodkuj mapę na twojej lokalizacji", - "Change map background": "Zmień podkład mapy", - "Change tilelayers": "Zmień podkład", - "Choose a preset": "Wybierz szablon", - "Choose the format of the data to import": "Wybierz format importowanych danych", - "Choose the layer to import in": "Wybierz warstwę docelową", - "Click last point to finish shape": "Kliknij ostatni punkt, aby zakończyć rysowanie", - "Click to add a marker": "Kliknij, aby dodać znacznik", - "Click to continue drawing": "Kliknij, aby kontynuować rysowanie", - "Click to edit": "Kliknij, aby edytować", - "Click to start drawing a line": "Kliknij, aby zacząć rysować linię", - "Click to start drawing a polygon": "Kliknij, aby zacząć rysować obszar", - "Clone": "Klonuj", - "Clone of {name}": "Sklonowane z {name}", - "Clone this feature": "Sklonuj ten obiekt", - "Clone this map": "Sklonuj mapę", - "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.", - "Continue line": "Kontynuuj linię", - "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", - "Coordinates": "Współrzędne", - "Credits": "Źródło", - "Current view instead of default map view?": "Obecny widok mapy zamiast domyślnego?", - "Custom background": "Własne tło", - "Data is browsable": "Dane można przeglądać", - "Default interaction options": "Domyślne ustawienia interakcji", - "Default properties": "Domyślne właściwości", - "Default shape properties": "Domyślne właściwości kształtu", - "Define link to open in a new window on polygon click.": "Ustaw odnośnik, który otworzy się w nowym oknie po kliknięciu wielokąta.", - "Delay between two transitions when in play mode": "Opóźnienie pomiędzy dwoma przejściami w trybie odtwarzania", - "Delete": "Usuń", - "Delete all layers": "Usuń wszystkie warstwy", - "Delete layer": "Usuń warstwę", - "Delete this feature": "Usuń ten obiekt", - "Delete this property on all the features": "Usuń tę właściwość ze wszystkich obiektów", - "Delete this shape": "Usuń tę figurę", - "Delete this vertex (Alt+Click)": "Usuń ten wierzchołek (Alt+Klik)", - "Directions from here": "Kierunki stąd", - "Disable editing": "Wyłącz edytor", - "Display measure": "Wyświetl pomiar", - "Display on load": "Wyświetl przy ładowaniu", "Download": "Pobieranie", "Download data": "Pobierz dane", "Drag to reorder": "Przeciągnij, by zmienić kolejność", @@ -159,6 +125,7 @@ "Draw a marker": "Dodaj znacznik", "Draw a polygon": "Rysuj obszar", "Draw a polyline": "Rysuj linię", + "Drop": "Kropla", "Dynamic": "Dynamiczne", "Dynamic properties": "Właściwości dynamiczne", "Edit": "Edytuj", @@ -172,23 +139,31 @@ "Embed the map": "Osadź mapę na stronie", "Empty": "Wyczyść", "Enable editing": "Włącz edytor", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Błąd w adresie URL podkładu", "Error while fetching {url}": "Błąd wczytywania {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Zamknij pełny ekran", "Extract shape to separate feature": "Wydziel figurę jako odrębny obiekt", + "Feature identifier key": "Klucz identyfikacyjny obiektu", "Fetch data each time map view changes.": "Załaduj dane za każdym razem, gdy zmienia się widok mapy.", "Filter keys": "Klucze filtrów", "Filter…": "Filtr...", "Format": "Format", "From zoom": "Od przybliżenia", "Full map data": "Pełne dane mapy", + "GeoRSS (only link)": "GeoRSS (tylko link)", + "GeoRSS (title + image)": "GeoRSS (tytuł i obrazek)", "Go to «{feature}»": "Idź do „{feature}”", + "Heatmap": "Mapa cieplna", "Heatmap intensity property": "Intensywność mapy cieplnej", "Heatmap radius": "Promień mapy cieplnej", "Help": "Pomoc", "Hide controls": "Ukryj przyciski", "Home": "Strona główna", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Jak bardzo uprościć obszar na każdym poziomie przybliżenia (więcej = większa wydajność i gładki wygląd, mniej = większa dokładność)", + "Icon shape": "Kształt ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Jeżeli fałsz, wielokąt będzie zachowywał się jak część mapy zasadniczej.", "Iframe export options": "Opcje eksportu Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Ramka z podaną wysokością (w pikselach) {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importuj do nowej warstwy", "Imports all umap data, including layers and settings.": "Import wszystkich danych umap, razem z warstwami i ustawieniami.", "Include full screen link?": "Dołączyć link do pełnego ekranu?", + "Inherit": "Dziedziczne", "Interaction options": "Opcje interakcji", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Niepoprawne dane umap", "Invalid umap data in {filename}": "Niepoprawne dane umap w {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Zachowaj obecnie widoczne warstwy", + "Label direction": "Kierunek etykiety", + "Label key": "Klucz etykiety", + "Labels are clickable": "Etykiety są klikalne", "Latitude": "Szerokość geograficzna", "Layer": "Warstwa", "Layer properties": "Ustawienia warstwy", @@ -225,20 +206,39 @@ "Merge lines": "Połącz linie", "More controls": "Więcej przycisków", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Musi być prawidłową wartością CSS (np. DarkBlue lub #123456)", + "No cache": "Brak pamięci podręcznej", "No licence has been set": "Nie wybrano licencji", "No results": "Brak wyników", + "No results for these filters": "No results for these filters", + "None": "Brak", + "On the bottom": "Na dole", + "On the left": "Po lewej", + "On the right": "Po prawej", + "On the top": "Na górze", "Only visible features will be downloaded.": "Tylko widoczne obiekty zostaną pobrane.", + "Open current feature on load": "Otwórz bieżący obiekt po załadowaniu", "Open download panel": "Otwórz panel pobierania", "Open link in…": "Otwieraj odnośnik w...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otwórz ten zakres mapy w edytorze, by wprowadzić do OpenStreetMap dokładniejsze dane", "Optional intensity property for heatmap": "Opcjonalna intensywność mapy cieplnej", + "Optional.": "Opcjonalnie.", "Optional. Same as color if not set.": "Opcjonalne. Taki sam jak kolor, jeśli nie podano.", "Override clustering radius (default 80)": "Nadpisz promień grupowania (domyślnie 80)", "Override heatmap radius (default 25)": "Nadpisz promień mapy cieplnej (domyślnie 25)", + "Paste your data here": "Wklej tutaj swoje dane", + "Permalink": "Bezpośredni odnośnik.", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Upewnij się, że korzystanie z tych danych jest zgodne z licencją.", "Please choose a format": "Wybierz format", "Please enter the name of the property": "Podaj nazwę właściwości", "Please enter the new name of this property": "Podaj nową nazwę tej właściwości", + "Please save the map first": "Prosimy najpierw zapisać mapę", + "Popup": "Wyskakujące okienko", + "Popup (large)": "Wyskakujące okienko (duże)", + "Popup content style": "Styl zawartości wyskakującego okienka", + "Popup content template": "Szablon treści dymku", + "Popup shape": "Kształt wyskakującego okienka", "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", @@ -262,12 +262,17 @@ "See all": "Pokaż wszystko", "See data layers": "Zobacz wszystkie warstwy danych", "See full screen": "Pełny ekran", + "Select data": "Select data", "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 symbol": "Ustaw symbol", "Shape properties": "Właściwości kształtu", "Short URL": "Krótki adres URL", "Short credits": "Krótkie źródło", "Show/hide layer": "Pokaż/ukryj warstwę", + "Side panel": "Panel boczny", "Simple link: [[http://example.com]]": "Prosty link: [[http://example.com]]", + "Simplify": "Uprość", + "Skipping unknown geometry.type: {type}": "Pomijanie nieznanego rodzaju geometrii: {type}", "Slideshow": "Pokaz slajdów", "Smart transitions": "Sprytne przejścia", "Sort key": "Klucz sortowania", @@ -280,10 +285,13 @@ "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 or url": "Symbol lub adres URL", "TMS format": "Format TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu.", "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)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", @@ -310,6 +318,7 @@ "Who can edit": "Kto może edytować", "Who can view": "Kto może zobaczyć", "Will be displayed in the bottom right corner of the map": "Będzie wyświetlone w prawym dolnym rogu mapy", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Będzie widoczne w nagłówku mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ups! Ktoś jeszcze edytował dane. Możesz mimo wszystko zapisać, ale to usunie zmiany dokonane przez innych.", "You have unsaved changes.": "Masz niezapisane zmiany.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Przybliż do poprzedniego", "Zoom to this feature": "Przybliż do tego obiektu", "Zoom to this place": "Przybliż do tego miejsca", + "always": "zawsze", "attribution": "oznaczenie autorstwa", "by": " ", + "clear": "wyczyść", + "collapsed": "zwinięty", + "color": "kolor", + "dash array": "przerywana linia", + "define": "określ", + "description": "opis", "display name": "wyświetl nazwę", + "expanded": "rozwinięty", + "fill": "wypełnienie", + "fill color": "kolor wypełnienia", + "fill opacity": "stopień wypełnienia", "height": "wysokość", + "hidden": "ukryte", + "iframe": "iframe", + "inherit": "dziedziczny", "licence": "licencja", "max East": "granica wschodnia", "max North": "granica północna", @@ -332,10 +355,21 @@ "max West": "granica zachodnia", "max zoom": "maksymalne powiększenie", "min zoom": "minimalne powiększenie", + "name": "nazwa", + "never": "nigdy", + "new window": "nowe okno", "next": "następne", + "no": "nie", + "on hover": "po najechaniu", + "opacity": "przeźroczystość", + "parent window": "to samo okno", "previous": "poprzednie", + "stroke": "obramowanie", + "weight": "waga", "width": "szerokość", + "yes": "tak", "{count} errors during import: {message}": "{count} błędów podczas importu: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Pomiar odległości", "NM": "NM", "kilometers": "kilometry", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "mile", "nautical miles": "mile morskie", - "{area} acres": "{area} akrów", - "{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} mi", - "{distance} yd": "{distance} yd", - "1 day": "1 dzień", - "1 hour": "1 godzina", - "5 min": "5 minut", - "Cache proxied request": "Zapytanie pośredniczące pamięci podręcznej", - "No cache": "Brak pamięci podręcznej", - "Popup": "Wyskakujące okienko", - "Popup (large)": "Wyskakujące okienko (duże)", - "Popup content style": "Styl zawartości wyskakującego okienka", - "Popup shape": "Kształt wyskakującego okienka", - "Skipping unknown geometry.type: {type}": "Pomijanie nieznanego rodzaju geometrii: {type}", - "Optional.": "Opcjonalnie.", - "Paste your data here": "Wklej tutaj swoje dane", - "Please save the map first": "Prosimy najpierw zapisać mapę", - "Feature identifier key": "Klucz identyfikacyjny obiektu", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} akrów", + "{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} mi", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/pt.js b/umap/static/umap/locale/pt.js index 63b202d0..6f8975d9 100644 --- a/umap/static/umap/locale/pt.js +++ b/umap/static/umap/locale/pt.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do rato?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controlo para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controlo das camadas de dados", "Display the embed control": "Mostrar o controlo de embeber", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controlo de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controlos", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Fundir linhas", "More controls": "Mais controlos", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole aqui os seus dados", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor primeiro grave o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ var locale = { "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ var locale = { "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole aqui os seus dados", - "Please save the map first": "Por favor primeiro grave o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" }; L.registerLocale("pt", locale); L.setLocale("pt"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index bb781522..dafd6ff9 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do rato?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controlo para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controlo das camadas de dados", "Display the embed control": "Mostrar o controlo de embeber", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controlo de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controlos", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ "Merge lines": "Fundir linhas", "More controls": "Mais controlos", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole aqui os seus dados", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor primeiro grave o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole aqui os seus dados", - "Please save the map first": "Por favor primeiro grave o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" } \ 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 8ae0b9f8..57576125 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do mause?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "Iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito o sistema de referência espacial WGS84. Apenas são importadas as geometrias de ponto. A importação irá ver se aparece no cabeçalho das colunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. Todas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controle para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controle das camadas de dados", "Display the embed control": "Mostrar o controle de embeber", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controle de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "Iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito o sistema de referência espacial WGS84. Apenas são importadas as geometrias de ponto. A importação irá ver se aparece no cabeçalho das colunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. Todas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controles", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Fundir linhas", "More controls": "Mais controles", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole seus dados aqui", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor, primeiro salve o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ var locale = { "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Você pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ var locale = { "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole seus dados aqui", - "Please save the map first": "Por favor, primeiro salve o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" }; L.registerLocale("pt_BR", locale); L.setLocale("pt_BR"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 92883fa1..b53982f5 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do mause?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "Iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito o sistema de referência espacial WGS84. Apenas são importadas as geometrias de ponto. A importação irá ver se aparece no cabeçalho das colunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. Todas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controle para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controle das camadas de dados", "Display the embed control": "Mostrar o controle de embeber", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controle de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "Iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito o sistema de referência espacial WGS84. Apenas são importadas as geometrias de ponto. A importação irá ver se aparece no cabeçalho das colunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. Todas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controles", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ "Merge lines": "Fundir linhas", "More controls": "Mais controles", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole seus dados aqui", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor, primeiro salve o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Você pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "Ignorando geometry.type desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole seus dados aqui", - "Please save the map first": "Por favor, primeiro salve o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" } \ 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 f162dae3..66ed58f8 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do rato?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "Iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controlo para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controlo das camadas de dados", "Display the embed control": "Mostrar o controlo de embeber", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controlo de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "Iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controlos", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Fundir linhas", "More controls": "Mais controlos", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole aqui os seus dados", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor primeiro grave o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ var locale = { "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ var locale = { "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole aqui os seus dados", - "Please save the map first": "Por favor primeiro grave o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" }; L.registerLocale("pt_PT", locale); L.setLocale("pt_PT"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index 777e2fc5..ad95a410 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# um cardinal para o cabeçalho principal", + "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", + "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", + "**double star for bold**": "**dois asteriscos duplos para negrito**", + "*simple star for italic*": "**um asterisco duplos para itálico**", + "--- for an horizontal rule": "--- para uma régua horizontal", + "1 day": "1 dia", + "1 hour": "1 hora", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", + "About": "Sobre", + "Action not allowed :(": "Ação não permitida :(", + "Activate slideshow mode": "Ativar modo de apresentação", + "Add a layer": "Adicionar camada", + "Add a line to the current multi": "Adicionar uma linha para o multi atual", + "Add a new property": "Adicionar uma nova propriedade", + "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", "Add symbol": "Adicionar símbolo", + "Advanced actions": "Ações avançadas", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Propriedades avançadas", + "Advanced transition": "Transição avançada", + "All properties are imported.": "Foram importadas todas as propriedades.", + "Allow interactions": "Permitir interações", "Allow scroll wheel zoom?": "Permitir zoom com roda do rato?", + "An error occured": "Ocorreu um erro", + "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", + "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", + "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", + "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", + "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", + "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", + "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", + "Attach the map to my account": "Anexar o mapa à minha conta", + "Auto": "Auto", "Automatic": "Automático", + "Autostart when map is loaded": "Iniciar ao abrir o mapa", + "Background overlay url": "Background overlay url", "Ball": "Bola", + "Bring feature to center": "Centrar elemento", + "Browse data": "Explorar dados", + "Cache proxied request": "Pedido cache com proxy", "Cancel": "Cancelar", + "Cancel edits": "Cancelar edições", "Caption": "Cabeçalho", + "Center map on your location": "Centrar mapa na sua localização", + "Change map background": "Mudar fundo do mapa", "Change symbol": "Alterar símbolo", + "Change tilelayers": "Alterar camadas de telas", + "Choose a preset": "Escolha um modelo", "Choose the data format": "Escolha o formato dos dados", + "Choose the format of the data to import": "Escolha o formato dos dados para importação", "Choose the layer of the feature": "Escolha a camada do elemento", + "Choose the layer to import in": "Escolha a camada para destino da importação", "Circle": "Círculo", + "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", + "Click to add a marker": "Clique para adicionar um marcador", + "Click to continue drawing": "Clique para continuar a desenhar", + "Click to edit": "Clique para editar", + "Click to start drawing a line": "Clique para começar a desenhar uma linha", + "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", + "Clone": "Clonar", + "Clone of {name}": "Clone de {name}", + "Clone this feature": "Clonar este elemento", + "Clone this map": "Clonar este mapa", + "Close": "Fechar", "Clustered": "Agregado", + "Clustering radius": "Raio do aglomerado", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", + "Continue line": "Continuar linha", + "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", + "Coordinates": "Coordenadas", + "Credits": "Créditos", + "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", + "Custom background": "Fundo personalizado", + "Custom overlay": "Custom overlay", "Data browser": "Navegador de dados", + "Data filters": "Data filters", + "Data is browsable": "Os dados são navegáveis", "Default": "Padrão", + "Default interaction options": "Opções padrão de interação", + "Default properties": "Propriedades padrão", + "Default shape properties": "Propriedades padrão de formas geométricas", "Default zoom level": "Nível de aproximação padrão", "Default: name": "Padrão: nome", + "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", + "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", + "Delete": "Eliminar", + "Delete all layers": "Eliminar todas as camadas", + "Delete layer": "Eliminar camada", + "Delete this feature": "Eliminar este elemento", + "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", + "Delete this shape": "Eliminar esta forma geométrica", + "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", + "Directions from here": "Direções a partir daqui", + "Disable editing": "Desativar edição", "Display label": "Mostrar etiqueta", + "Display measure": "Mostrar medição", + "Display on load": "Mostrar ao carregar", "Display the control to open OpenStreetMap editor": "Mostrar o controlo para abrir o editor OpenStreetMap", "Display the data layers control": "Mostrar o controlo das camadas de dados", "Display the embed control": "Mostrar o controlo de embeber", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Mostrar uma barra de cabeçalho?", "Do you want to display a minimap?": "Pretende mostrar um mini-mapa?", "Do you want to display a panel on load?": "Mostrar um painel ao carregar?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Pretende mostrar um popup no rodapé?", "Do you want to display the scale control?": "Pretende mostrar o controlo de escala?", "Do you want to display the «more» control?": "Mostrar o botão «mostrar mais botões»?", - "Drop": "Comum", - "GeoRSS (only link)": "GeoRSS (apenas o link)", - "GeoRSS (title + image)": "GeoRSS (título + imagem)", - "Heatmap": "Mapa térmico", - "Icon shape": "Forma do ícone", - "Icon symbol": "Símbolo do ícone", - "Inherit": "Herdado", - "Label direction": "Direção da etiqueta", - "Label key": "Chave da etiqueta", - "Labels are clickable": "Etiquetas são clicáveis", - "None": "Nenhum", - "On the bottom": "No fundo", - "On the left": "Na esquerda", - "On the right": "Na direita", - "On the top": "No topo", - "Popup content template": "Modelo de conteúdo do popup", - "Set symbol": "Definir símbolo", - "Side panel": "Painel lateral", - "Simplify": "Simplificar", - "Symbol or url": "Símbolo ou URL", - "Table": "Tabela", - "always": "sempre", - "clear": "limpar", - "collapsed": "colapsado", - "color": "cor", - "dash array": "série de traços", - "define": "definir", - "description": "descrição", - "expanded": "expandido", - "fill": "preenchimento", - "fill color": "cor do preenchimento", - "fill opacity": "opacidade do preenchimento", - "hidden": "oculto", - "iframe": "iframe", - "inherit": "herdado", - "name": "nome", - "never": "nunca", - "new window": "nova janela", - "no": "não", - "on hover": "cursor por cima", - "opacity": "opacidade", - "parent window": "janela pai", - "stroke": "traço", - "weight": "espessura", - "yes": "sim", - "{delay} seconds": "{delay} segundos", - "# one hash for main heading": "# um cardinal para o cabeçalho principal", - "## two hashes for second heading": "## dois cardinais para o segundo cabeçalho", - "### three hashes for third heading": "### três cardinais para o terceiro cabeçalho", - "**double star for bold**": "**dois asteriscos duplos para negrito**", - "*simple star for italic*": "**um asterisco duplos para itálico**", - "--- for an horizontal rule": "--- para uma régua horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Lista de números separada por vírgulas que define o padrão do traço. Por exemplo \"5, 10, 15\".", - "About": "Sobre", - "Action not allowed :(": "Ação não permitida :(", - "Activate slideshow mode": "Ativar modo de apresentação", - "Add a layer": "Adicionar camada", - "Add a line to the current multi": "Adicionar uma linha para o multi atual", - "Add a new property": "Adicionar uma nova propriedade", - "Add a polygon to the current multi": "Adicionar um polígono para o multi atual", - "Advanced actions": "Ações avançadas", - "Advanced properties": "Propriedades avançadas", - "Advanced transition": "Transição avançada", - "All properties are imported.": "Foram importadas todas as propriedades.", - "Allow interactions": "Permitir interações", - "An error occured": "Ocorreu um erro", - "Are you sure you want to cancel your changes?": "Tem a certeza que quer cancelar as suas alterações?", - "Are you sure you want to clone this map and all its datalayers?": "Tem a certeza que quer clonar este mapa, incluindo todas as camadas de dados?", - "Are you sure you want to delete the feature?": "Tem a certeza que quer eliminar o elemento?", - "Are you sure you want to delete this layer?": "Tem a certeza que quer eliminar esta camada?", - "Are you sure you want to delete this map?": "Tem a certeza que quer eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "Tem a certeza que quer eliminar esta propriedade em todos os elementos?", - "Are you sure you want to restore this version?": "Tem a certeza que quer restaurar esta versão?", - "Attach the map to my account": "Anexar o mapa à minha conta", - "Auto": "Auto", - "Autostart when map is loaded": "Iniciar ao abrir o mapa", - "Bring feature to center": "Centrar elemento", - "Browse data": "Explorar dados", - "Cancel edits": "Cancelar edições", - "Center map on your location": "Centrar mapa na sua localização", - "Change map background": "Mudar fundo do mapa", - "Change tilelayers": "Alterar camadas de telas", - "Choose a preset": "Escolha um modelo", - "Choose the format of the data to import": "Escolha o formato dos dados para importação", - "Choose the layer to import in": "Escolha a camada para destino da importação", - "Click last point to finish shape": "Clique no último ponto para terminar a forma geométrica", - "Click to add a marker": "Clique para adicionar um marcador", - "Click to continue drawing": "Clique para continuar a desenhar", - "Click to edit": "Clique para editar", - "Click to start drawing a line": "Clique para começar a desenhar uma linha", - "Click to start drawing a polygon": "Clique para começar a desenhar um polígono", - "Clone": "Clonar", - "Clone of {name}": "Clone de {name}", - "Clone this feature": "Clonar este elemento", - "Clone this map": "Clonar este mapa", - "Close": "Fechar", - "Clustering radius": "Raio do aglomerado", - "Comma separated list of properties to use when filtering features": "Lista separada por vírgulas de propriedades a usar ao filtrar 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 vírgula, tabulação ou ponto-e-vírgula. É implícito\n o sistema de referência espacial WGS84. Apenas são importadas as \ngeometrias de ponto. A importação irá ver se aparece no cabeçalho das \ncolunas «lat» e «lon», ignorando diferença de maiúsculas e minúsculas. \nTodas a outras colunas são importadas como propriedades.", - "Continue line": "Continuar linha", - "Continue line (Ctrl+Click)": "Continuar linnha (Ctrl+Clique)", - "Coordinates": "Coordenadas", - "Credits": "Créditos", - "Current view instead of default map view?": "Vista atual e não a vista padrão do mapa?", - "Custom background": "Fundo personalizado", - "Data is browsable": "Os dados são navegáveis", - "Default interaction options": "Opções padrão de interação", - "Default properties": "Propriedades padrão", - "Default shape properties": "Propriedades padrão de formas geométricas", - "Define link to open in a new window on polygon click.": "Definir link para abrir numa nova janela ao clicar no polígono.", - "Delay between two transitions when in play mode": "Atraso entre 2 transições ao reproduzir a apresentação", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas as camadas", - "Delete layer": "Eliminar camada", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propriedade em todos os elementos", - "Delete this shape": "Eliminar esta forma geométrica", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clique)", - "Directions from here": "Direções a partir daqui", - "Disable editing": "Desativar edição", - "Display measure": "Mostrar medição", - "Display on load": "Mostrar ao carregar", "Download": "Descarregar", "Download data": "Descarregar dados", "Drag to reorder": "Arrastar para reordenar", @@ -159,6 +125,7 @@ "Draw a marker": "Desenhar um marco", "Draw a polygon": "Desenhar um polígono", "Draw a polyline": "Desenhar uma polilinha", + "Drop": "Comum", "Dynamic": "Dinâmico", "Dynamic properties": "Propriedades dinâmicas", "Edit": "Editar", @@ -172,23 +139,31 @@ "Embed the map": "Embeber o mapa", "Empty": "Vazio", "Enable editing": "Ativar edição", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Erro no URL de telas", "Error while fetching {url}": "Erro ao processar {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Sair de Ecrã Total", "Extract shape to separate feature": "Extrair forma geométrica para separar o elemento", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Processar dados cada vez que o mapa é alterado.", "Filter keys": "Filtrar chaves", "Filter…": "Filtrar...", "Format": "Formato", "From zoom": "Do zoom", "Full map data": "Todos os dados do mapa", + "GeoRSS (only link)": "GeoRSS (apenas o link)", + "GeoRSS (title + image)": "GeoRSS (título + imagem)", "Go to «{feature}»": "Ir a «{feature}»", + "Heatmap": "Mapa térmico", "Heatmap intensity property": "Propriedade da intensidade do mapa térmico", "Heatmap radius": "Raio do mapa térmico", "Help": "Ajuda", "Hide controls": "Ocultar controlos", "Home": "Início", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Por quanto simplificar a polilinha em cada nível de aproximação (mais = melhor desempenho e aspeto mais suave, menos = mais preciso)", + "Icon shape": "Forma do ícone", + "Icon symbol": "Símbolo do ícone", "If false, the polygon will act as a part of the underlying map.": "Se desativado, o polígono agirá como parte do mapa de baixo.", "Iframe export options": "Opções de exportação Iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe com altura personalizada (em px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importar uma nova camada", "Imports all umap data, including layers and settings.": "Importa todos os dados uMap, incluindo camadas e definições.", "Include full screen link?": "Incluir link de encrã total?", + "Inherit": "Herdado", "Interaction options": "Opções de interação", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Dados uMap inválidos", "Invalid umap data in {filename}": "Dados uMap inválidos em {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Manter camadas atualmente visíveis", + "Label direction": "Direção da etiqueta", + "Label key": "Chave da etiqueta", + "Labels are clickable": "Etiquetas são clicáveis", "Latitude": "Latitude", "Layer": "Camada", "Layer properties": "Propriedades da camada", @@ -225,20 +206,39 @@ "Merge lines": "Fundir linhas", "More controls": "Mais controlos", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Tem de ser um valor CSS válido (p.ex.: DarkBlue ou #123456)", + "No cache": "Sem cache", "No licence has been set": "Não foi definida nenhuma licença", "No results": "Sem resultados", + "No results for these filters": "No results for these filters", + "None": "Nenhum", + "On the bottom": "No fundo", + "On the left": "Na esquerda", + "On the right": "Na direita", + "On the top": "No topo", "Only visible features will be downloaded.": "Apenas os elementos visíveis serão descarregados.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Abrir painel de descarregar", "Open link in…": "Abrir link numa...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abrir esta região do mapa num editor de mapas para fornecer dados mais precisos ao OpenStreetMap", "Optional intensity property for heatmap": "Propriedade opcional da intensidade do mapa térmico", + "Optional.": "Opcional.", "Optional. Same as color if not set.": "Opcional. Igual à cor se não for definido.", "Override clustering radius (default 80)": "Sobrepor raio do aglomerado (padrão 80)", "Override heatmap radius (default 25)": "Sobrepor raio do mapa térmico (padrão 80)", + "Paste your data here": "Cole aqui os seus dados", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Por favor tenha a certeza que a utilização está conforme a licença.", "Please choose a format": "Por favor escolha um formato", "Please enter the name of the property": "Por favor introduza o nome da propriedade", "Please enter the new name of this property": "Por favor introduza um novo nome desta propriedade", + "Please save the map first": "Por favor primeiro grave o mapa", + "Popup": "Popup", + "Popup (large)": "Popup (largo)", + "Popup content style": "Estilo do conteúdo do popup", + "Popup content template": "Modelo de conteúdo do popup", + "Popup shape": "Forma do popup", "Powered by Leaflet and Django, glued by uMap project.": "Criado com Leaflet e Django pelo projeto uMap.", "Problem in the response": "Problema na resposta do servidor", "Problem in the response format": "Problema no formato da resposta", @@ -262,12 +262,17 @@ "See all": "Ver tudo", "See data layers": "Ver camadas de dados", "See full screen": "Ver em ecrã total", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Defina como falso para ocultar esta camada da apresentação de slides, o navegador de dados e da navegação do popup…", + "Set symbol": "Definir símbolo", "Shape properties": "Propriedades de formas geométricas", "Short URL": "URL curto", "Short credits": "Créditos resumidos", "Show/hide layer": "Mostrar/ocultar camada", + "Side panel": "Painel lateral", "Simple link: [[http://example.com]]": "Link simples: [[http://example.com]]", + "Simplify": "Simplificar", + "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", "Slideshow": "Apresentação", "Smart transitions": "Transições inteligentes", "Sort key": "Chave de ordenação", @@ -280,10 +285,13 @@ "Supported scheme": "Esquema suportado", "Supported variables that will be dynamically replaced": "Variáveis suportadas que serão substituídas de forma dinâmica", "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.": "O símbolo pode ser um caractere unicode ou um URL. Pode usar as propriedades de elementos como variáveis: por exemplo.: com \"http://meuservidor.org/imagens/{nome}.png\", a variável {nome} será substituída pelo valor \"nome\" em cada marco.", + "Symbol or url": "Símbolo ou URL", "TMS format": "Formato TMS", + "Table": "Tabela", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", @@ -310,6 +318,7 @@ "Who can edit": "Quem pode editar", "Who can view": "Quem pode ver", "Will be displayed in the bottom right corner of the map": "Será mostrado no fundo à direita do mapa", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Será visível no cabeçalho do mapa", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ops! Parece que alguém editou os dados. Pode gravar mesmo assim, mas isso irá eliminar as alterações feitas por outros.", "You have unsaved changes.": "Tem alterações por gravar", @@ -321,10 +330,24 @@ "Zoom to the previous": "Aproximar para o anterior", "Zoom to this feature": "Aproximar a este elemento", "Zoom to this place": "Aproximar para este local", + "always": "sempre", "attribution": "atribuição", "by": "por", + "clear": "limpar", + "collapsed": "colapsado", + "color": "cor", + "dash array": "série de traços", + "define": "definir", + "description": "descrição", "display name": "mostrar nome", + "expanded": "expandido", + "fill": "preenchimento", + "fill color": "cor do preenchimento", + "fill opacity": "opacidade do preenchimento", "height": "altura", + "hidden": "oculto", + "iframe": "iframe", + "inherit": "herdado", "licence": "licença", "max East": "Este máx.", "max North": "Norte máx.", @@ -332,10 +355,21 @@ "max West": "Oeste máx.", "max zoom": "aproximação máxima", "min zoom": "aproximação mínima", + "name": "nome", + "never": "nunca", + "new window": "nova janela", "next": "seguinte", + "no": "não", + "on hover": "cursor por cima", + "opacity": "opacidade", + "parent window": "janela pai", "previous": "anterior", + "stroke": "traço", + "weight": "espessura", "width": "largura", + "yes": "sim", "{count} errors during import: {message}": "{count} erros ao importar: {message}", + "{delay} seconds": "{delay} segundos", "Measure distances": "Medir distâncias", "NM": "NM", "kilometers": "quilómetros", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "milhas", "nautical miles": "milhas náuticas", - "{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} milhas", - "{distance} yd": "{distance} yd", - "1 day": "1 dia", - "1 hour": "1 hora", - "5 min": "5 min", - "Cache proxied request": "Pedido cache com proxy", - "No cache": "Sem cache", - "Popup": "Popup", - "Popup (large)": "Popup (largo)", - "Popup content style": "Estilo do conteúdo do popup", - "Popup shape": "Forma do popup", - "Skipping unknown geometry.type: {type}": "A ignorar tipo de geometria desconhecido: {type}", - "Optional.": "Opcional.", - "Paste your data here": "Cole aqui os seus dados", - "Please save the map first": "Por favor primeiro grave o mapa", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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} milhas", + "{distance} yd": "{distance} yd" } \ No newline at end of file diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index 5d46780a..9c901c09 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Despre", + "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", "Add symbol": "Adaugă simbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Renunță", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Cerc", + "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": "Închide", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Linie continuă", + "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", + "Coordinates": "Coordonate", + "Credits": "Credits", + "Current view instead of default map view?": "Current view instead of default map view?", + "Custom background": "Custom background", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Șterge", + "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": "Dezactivează editarea", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Nimic", - "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": "Tabel", - "always": "mereu", - "clear": "clear", - "collapsed": "collapsed", - "color": "culoare", - "dash array": "dash array", - "define": "define", - "description": "description", - "expanded": "expanded", - "fill": "fill", - "fill color": "fill color", - "fill opacity": "fill opacity", - "hidden": "ascunde", - "iframe": "iframe", - "inherit": "inherit", - "name": "nume", - "never": "never", - "new window": "new window", - "no": "nu", - "on hover": "on hover", - "opacity": "opacity", - "parent window": "parent window", - "stroke": "stroke", - "weight": "weight", - "yes": "da", - "{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": "Despre", - "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", - "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": "Închide", - "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": "Linie continuă", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordonate", - "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": "Șterge", - "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": "Dezactivează editarea", - "Display measure": "Display measure", - "Display on load": "Display on load", "Download": "Descarcă", "Download data": "Download data", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Ajutor", "Hide controls": "Hide controls", "Home": "Acasă", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitudine", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Nimic", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "mereu", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "culoare", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "arată nume", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "ascunde", + "iframe": "iframe", + "inherit": "inherit", "licence": "licență", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "nume", + "never": "never", + "new window": "new window", "next": "next", + "no": "nu", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "da", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("ro", locale); L.setLocale("ro"); \ No newline at end of file diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index 45aec9cd..fd06437a 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Despre", + "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", "Add symbol": "Adaugă simbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Renunță", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Cerc", + "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": "Închide", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Linie continuă", + "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", + "Coordinates": "Coordonate", + "Credits": "Credits", + "Current view instead of default map view?": "Current view instead of default map view?", + "Custom background": "Custom background", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Șterge", + "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": "Dezactivează editarea", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Nimic", - "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": "Tabel", - "always": "mereu", - "clear": "clear", - "collapsed": "collapsed", - "color": "culoare", - "dash array": "dash array", - "define": "define", - "description": "description", - "expanded": "expanded", - "fill": "fill", - "fill color": "fill color", - "fill opacity": "fill opacity", - "hidden": "ascunde", - "iframe": "iframe", - "inherit": "inherit", - "name": "nume", - "never": "never", - "new window": "new window", - "no": "nu", - "on hover": "on hover", - "opacity": "opacity", - "parent window": "parent window", - "stroke": "stroke", - "weight": "weight", - "yes": "da", - "{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": "Despre", - "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", - "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": "Închide", - "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": "Linie continuă", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordonate", - "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": "Șterge", - "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": "Dezactivează editarea", - "Display measure": "Display measure", - "Display on load": "Display on load", "Download": "Descarcă", "Download data": "Download data", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Ajutor", "Hide controls": "Hide controls", "Home": "Acasă", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitudine", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "None": "Nimic", + "On the bottom": "On the bottom", + "On the left": "On the left", + "On the right": "On the right", + "On the top": "On the top", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Tabel", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "mereu", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "culoare", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "arată nume", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "ascunde", + "iframe": "iframe", + "inherit": "inherit", "licence": "licență", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "nume", + "never": "never", + "new window": "new window", "next": "next", + "no": "nu", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "da", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index 5e6c4780..7d62a994 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# один шарп — заголовок", + "## two hashes for second heading": "## два шарпа — подзаголовок", + "### three hashes for third heading": "### три шарпа — подзаголовок 3-го уровня", + "**double star for bold**": "**двойные звёздочки — полужирный**", + "*simple star for italic*": "*звёздочки — курсив*", + "--- for an horizontal rule": "--- — горизонтальная линия", + "1 day": "1 день", + "1 hour": "1 час", + "5 min": "5 мин", + "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": "Включить режим слайдшоу", + "Add a layer": "Добавить слой", + "Add a line to the current multi": "Добавить линию к текущему мультиполигону", + "Add a new property": "Добавить новое свойство", + "Add a polygon to the current multi": "Добавить полигон к текущему мультиполигону", "Add symbol": "Добавить значок", + "Advanced actions": "Дополнительные действия", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Дополнительные свойства", + "Advanced transition": "Дополнительные преобразования", + "All properties are imported.": "Все свойства импортированы.", + "Allow interactions": "Разрешить взаимодействие", "Allow scroll wheel zoom?": "Разрешить изменение масштаба колесом мыши?", + "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": "Автоматически", "Automatic": "Автоматически", + "Autostart when map is loaded": "Автозапуск при открытии карты", + "Background overlay url": "Background overlay url", "Ball": "Булавка", + "Bring feature to center": "Поместить объект в центр", + "Browse data": "Просмотр данных", + "Cache proxied request": "Кэшированный прокси-запрос", "Cancel": "Отменить", + "Cancel edits": "Отменить правки", "Caption": "Заголовок", + "Center map on your location": "Переместить карту в ваше местоположение", + "Change map background": "Изменить подложку карты", "Change symbol": "Изменить значок", + "Change tilelayers": "Выбрать подложку", + "Choose a preset": "Выберите шаблон", "Choose the data format": "Выберите формат данных", + "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer of the feature": "Выберите слой для объекта", + "Choose the layer to import in": "Выбрать слой для импорта в него", "Circle": "Кружок", + "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": "Щёлкните, чтобы начать рисование полигона", + "Clone": "Создать копию", + "Clone of {name}": "Копия {name}", + "Clone this feature": "Скопировать фигуру", + "Clone this map": "Создать копию карты", + "Close": "Закрыть", "Clustered": "Кластеризованный", + "Clustering radius": "Радиус кластеризации", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "В качестве разделителя используются запятые, табуляции и точки с запятой. Применяется датум WGS84. Импорт просматривает заголовок на наличие полей «lat» и «lon», регистр не имеет значения. Все остальные поля импортируются как свойства.", + "Continue line": "Продолжить линию", + "Continue line (Ctrl+Click)": "Продолжить линию (Ctrl+Click)", + "Coordinates": "Координаты", + "Credits": "Авторские права", + "Current view instead of default map view?": "Использовать текущий вид вместо карты по умолчанию?", + "Custom background": "Пользовательская подложка карты", + "Custom overlay": "Custom overlay", "Data browser": "Просмотр данных", + "Data filters": "Data filters", + "Data is browsable": "Данные можно просматривать", "Default": "По умолчанию", + "Default interaction options": "Параметры интерактивности по умолчанию", + "Default properties": "Свойства по умолчанию", + "Default shape properties": "Параметры фигуры по умолчанию", "Default zoom level": "Масштаб по умолчанию", "Default: name": "По умолчанию: название", + "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 property on all the features": "Удалить это свойство у всех объектов", + "Delete this shape": "Удалить эту фигуру", + "Delete this vertex (Alt+Click)": "Удалить эту точку (Alt+клик)", + "Directions from here": "Навигация отсюда", + "Disable editing": "Отключить редактирование", "Display label": "Показывать надпись", + "Display measure": "Display measure", + "Display on load": "Показывать при загрузке", "Display the control to open OpenStreetMap editor": "Отображать кнопку редактора OpenStreetMap", "Display the data layers control": "Отображать кнопку управления слоями данных", "Display the embed control": "Отображать кнопку встраивания", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Метки можно нажимать", - "None": "Нет", - "On the bottom": "Внизу", - "On the left": "Слева", - "On the right": "Справа", - "On the top": "Вверху", - "Popup content template": "Шаблон всплывающей подсказки", - "Set symbol": "Выбрать значок", - "Side panel": "Боковая панель", - "Simplify": "Упростить", - "Symbol or url": "Значок или URL", - "Table": "Таблица", - "always": "всегда", - "clear": "очистить", - "collapsed": "Свёрнуто", - "color": "цвет", - "dash array": "штрихи", - "define": "Задать", - "description": "описание", - "expanded": "Развёрнуто", - "fill": "заливка", - "fill color": "цвет заливки", - "fill opacity": "Непрозрачность заливки", - "hidden": "скрыт", - "iframe": "Iframe", - "inherit": "наследовать", - "name": "название", - "never": "никогда", - "new window": "Новое окно", - "no": "нет", - "on hover": "при наведении", - "opacity": "непрозрачность", - "parent window": "Родительское окно", - "stroke": "штрихи", - "weight": "толщина", - "yes": "да", - "{delay} seconds": "{delay} секунд", - "# one hash for main heading": "# один шарп — заголовок", - "## two hashes for second heading": "## два шарпа — подзаголовок", - "### three hashes for third heading": "### три шарпа — подзаголовок 3-го уровня", - "**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».", - "About": "Подробней", - "Action not allowed :(": "Действие недоступно :(", - "Activate slideshow mode": "Включить режим слайдшоу", - "Add a layer": "Добавить слой", - "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": "Прикрепить карту к моей учётной записи", - "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": "Щёлкайте, чтобы продолжить рисование", - "Click to edit": "Щёлкните, чтобы изменить", - "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", - "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", - "Clone": "Создать копию", - "Clone of {name}": "Копия {name}", - "Clone this feature": "Скопировать фигуру", - "Clone this map": "Создать копию карты", - "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.": "В качестве разделителя используются запятые, табуляции и точки с запятой. Применяется датум WGS84. Импорт просматривает заголовок на наличие полей «lat» и «lon», регистр не имеет значения. Все остальные поля импортируются как свойства.", - "Continue line": "Продолжить линию", - "Continue line (Ctrl+Click)": "Продолжить линию (Ctrl+Click)", - "Coordinates": "Координаты", - "Credits": "Авторские права", - "Current view instead of default map view?": "Использовать текущий вид вместо карты по умолчанию?", - "Custom background": "Пользовательская подложка карты", - "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": "Удалить", - "Delete all layers": "Удалить все слои", - "Delete layer": "Удалить слой", - "Delete this feature": "Удалить объект", - "Delete this property on all the features": "Удалить это свойство у всех объектов", - "Delete this shape": "Удалить эту фигуру", - "Delete this vertex (Alt+Click)": "Удалить эту точку (Alt+клик)", - "Directions from here": "Навигация отсюда", - "Disable editing": "Отключить редактирование", - "Display measure": "Display measure", - "Display on load": "Показывать при загрузке", "Download": "Скачать", "Download data": "Скачать данные", "Drag to reorder": "Перетащите для изменения порядка", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Добавить метку", "Draw a polygon": "Нарисовать полигон", "Draw a polyline": "Нарисовать линию", + "Drop": "Капля", "Dynamic": "Динамический", "Dynamic properties": "Динамические свойства", "Edit": "Редактировать", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Встроить карту", "Empty": "Очистить", "Enable editing": "Разрешить редактирование", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Ошибка в ссылке на слой карты", "Error while fetching {url}": "Ошибка при обработке {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Выйти из полноэкранного режима", "Extract shape to separate feature": "Извлечь фигуру в отдельный объект", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Запрашивать данные при каждом изменении отображения карты", "Filter keys": "Кнопки фильтра", "Filter…": "Фильтр...", "Format": "Формат", "From zoom": "С масштаба", "Full map data": "Все данные карты", + "GeoRSS (only link)": "GeoRSS (только ссылка)", + "GeoRSS (title + image)": "GeoRSS (заголовок и изображение)", "Go to «{feature}»": "Перейти к «{feature}»", + "Heatmap": "Тепловая карта", "Heatmap intensity property": "Свойство интенсивности тепловой карты", "Heatmap radius": "Радиус для тепловой карты", "Help": "Помощь", "Hide controls": "Убрать элементы управления", "Home": "Заглавная", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Насколько сильно упрощать линии на каждом масштабе (больше значение — больше скорость, но выглядит хуже; меньше значение — более гладкое отображение)", + "Icon shape": "Форма иконки", + "Icon symbol": "Иконка значка", "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 с указанием высоты (в пикселях): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Импортировать в новый слой", "Imports all umap data, including layers and settings.": "Импортировать все данные uMap, включая слои и настройки.", "Include full screen link?": "Включить ссылку на полноэкранный вид?", + "Inherit": "Наследовать", "Interaction options": "Параметры взаимодействия", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Неверные данные uMap", "Invalid umap data in {filename}": "Неверные данные uMap в файле {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Оставить текущие видимые слои", + "Label direction": "Направление метки", + "Label key": "Кнопка метки", + "Labels are clickable": "Метки можно нажимать", "Latitude": "Широта", "Layer": "Слой", "Layer properties": "Свойства слоя", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Соединить линии", "More controls": "Другие элементы управления", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Должен быть в формате CSS (напр., DarkBlue или #123456)", + "No cache": "Не кэшировать", "No licence has been set": "Лицензия не была указана", "No results": "Нет данных", + "No results for these filters": "No results for these filters", + "None": "Нет", + "On the bottom": "Внизу", + "On the left": "Слева", + "On the right": "Справа", + "On the top": "Вверху", "Only visible features will be downloaded.": "Будут загружены только отображаемые объекты.", + "Open current feature on load": "Open current feature on load", "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.": "Необязательный.", "Optional. Same as color if not set.": "Дополнительно. Если не выбрано, то как цвет.", "Override clustering radius (default 80)": "Переопределить радиус кластеризации (по умолчанию 80)", "Override heatmap radius (default 25)": "Переопределить радиус для тепловой карты (по умолчанию 25)", + "Paste your data here": "Вставить ваши данные сюда", + "Permalink": "Постоянная ссылка", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Введите новое название свойства", + "Please save the map first": "Пожалуйста, сначала сохраните карту", + "Popup": "Всплывающее окно", + "Popup (large)": "Всплывающее окно (большое)", + "Popup content style": "Стиль содержимого всплывающего окна", + "Popup content template": "Шаблон всплывающей подсказки", + "Popup shape": "Форма всплывающего окна", "Powered by Leaflet and Django, glued by uMap project.": "Работает на Leaflet и Django, объединённые проектом uMap.", "Problem in the response": "Проблема с ответом", "Problem in the response format": "Формат ответа не распознан", @@ -262,12 +262,17 @@ var locale = { "See all": "Посмотреть все", "See data layers": "Посмотреть слои данных", "See full screen": "Смотреть в полноэкранном режиме", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Сбросьте, чтобы скрыть слой из слайдшоу, просмотра данных и всплывающей навигации...", + "Set symbol": "Выбрать значок", "Shape properties": "Свойства фигуры", "Short URL": "Короткая ссылка", "Short credits": "Краткое описание прав", "Show/hide layer": "Показать/скрыть слой", + "Side panel": "Боковая панель", "Simple link: [[http://example.com]]": "Простая ссылка: [[http://example.com]]", + "Simplify": "Упростить", + "Skipping unknown geometry.type: {type}": "Пропущено неизвестное свойство geometry.type: {type}", "Slideshow": "Слайдшоу", "Smart transitions": "Интеллектуальные преобразования", "Sort key": "Кнопка сортировки", @@ -280,10 +285,13 @@ var locale = { "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.": "Значок может быть как юникод-символом так и URL. Вы можете использовать свойства объектов как переменные. Например, в \"http://myserver.org/images/{name}.png\", переменная {name} будет заменена значением поля \"названия\" каждой метки на карте.", + "Symbol or url": "Значок или URL", "TMS format": "Формат TMS", + "Table": "Таблица", "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 unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Масштабировать", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Кто может редактировать", "Who can view": "Кто может просматривать", "Will be displayed in the bottom right corner of the map": "Будет показано в правом нижнем углу карты", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Упс! Похоже, кто-то другой тоже редактирует эти данные. Вы можете сохранить свои правки, но это уничтожит правки другого участника.", "You have unsaved changes.": "У вас есть несохранённые изменения", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Приблизиться к предыдущему", "Zoom to this feature": "Приблизиться к этому объекту", "Zoom to this place": "Приблизить объект", + "always": "всегда", "attribution": "назначенные свойства", "by": "от", + "clear": "очистить", + "collapsed": "Свёрнуто", + "color": "цвет", + "dash array": "штрихи", + "define": "Задать", + "description": "описание", "display name": "отображаемое название", + "expanded": "Развёрнуто", + "fill": "заливка", + "fill color": "цвет заливки", + "fill opacity": "Непрозрачность заливки", "height": "высота", + "hidden": "скрыт", + "iframe": "Iframe", + "inherit": "наследовать", "licence": "лицензия", "max East": "Восток", "max North": "Север", @@ -332,10 +355,21 @@ var locale = { "max West": "Запад", "max zoom": "максимальный масштаб", "min zoom": "минимальный масштаб", + "name": "название", + "never": "никогда", + "new window": "Новое окно", "next": "следующий", + "no": "нет", + "on hover": "при наведении", + "opacity": "непрозрачность", + "parent window": "Родительское окно", "previous": "предыдущий", + "stroke": "штрихи", + "weight": "толщина", "width": "ширина", + "yes": "да", "{count} errors during import: {message}": "{count} ошибок во время импорта: {message}", + "{delay} seconds": "{delay} секунд", "Measure distances": "Измерить расстояния", "NM": "ММ", "kilometers": "километров", @@ -343,45 +377,16 @@ var locale = { "mi": "миля", "miles": "миль", "nautical miles": "морских миль", - "{area} acres": "{area} акров", - "{area} ha": "{area} гектар", - "{area} m²": "{area} м²", - "{area} mi²": "{area} миль²", - "{area} yd²": "{area} ярд²", - "{distance} NM": "{distance} ММ", - "{distance} km": "{distance} км", - "{distance} m": "{distance} м", - "{distance} miles": "{distance} миль", - "{distance} yd": "{distance} ярдов", - "1 day": "1 день", - "1 hour": "1 час", - "5 min": "5 мин", - "Cache proxied request": "Кэшированный прокси-запрос", - "No cache": "Не кэшировать", - "Popup": "Всплывающее окно", - "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": "Пожалуйста, сначала сохраните карту", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Постоянная ссылка", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} акров", + "{area} ha": "{area} гектар", + "{area} m²": "{area} м²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", + "{distance} NM": "{distance} ММ", + "{distance} km": "{distance} км", + "{distance} m": "{distance} м", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдов" }; L.registerLocale("ru", locale); L.setLocale("ru"); \ No newline at end of file diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 42419d98..1fc25fba 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# один шарп — заголовок", + "## two hashes for second heading": "## два шарпа — подзаголовок", + "### three hashes for third heading": "### три шарпа — подзаголовок 3-го уровня", + "**double star for bold**": "**двойные звёздочки — полужирный**", + "*simple star for italic*": "*звёздочки — курсив*", + "--- for an horizontal rule": "--- — горизонтальная линия", + "1 day": "1 день", + "1 hour": "1 час", + "5 min": "5 мин", + "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": "Включить режим слайдшоу", + "Add a layer": "Добавить слой", + "Add a line to the current multi": "Добавить линию к текущему мультиполигону", + "Add a new property": "Добавить новое свойство", + "Add a polygon to the current multi": "Добавить полигон к текущему мультиполигону", "Add symbol": "Добавить значок", + "Advanced actions": "Дополнительные действия", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Дополнительные свойства", + "Advanced transition": "Дополнительные преобразования", + "All properties are imported.": "Все свойства импортированы.", + "Allow interactions": "Разрешить взаимодействие", "Allow scroll wheel zoom?": "Разрешить изменение масштаба колесом мыши?", + "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": "Автоматически", "Automatic": "Автоматически", + "Autostart when map is loaded": "Автозапуск при открытии карты", + "Background overlay url": "Background overlay url", "Ball": "Булавка", + "Bring feature to center": "Поместить объект в центр", + "Browse data": "Просмотр данных", + "Cache proxied request": "Кэшированный прокси-запрос", "Cancel": "Отменить", + "Cancel edits": "Отменить правки", "Caption": "Заголовок", + "Center map on your location": "Переместить карту в ваше местоположение", + "Change map background": "Изменить подложку карты", "Change symbol": "Изменить значок", + "Change tilelayers": "Выбрать подложку", + "Choose a preset": "Выберите шаблон", "Choose the data format": "Выберите формат данных", + "Choose the format of the data to import": "Выберите формат данных для импорта", "Choose the layer of the feature": "Выберите слой для объекта", + "Choose the layer to import in": "Выбрать слой для импорта в него", "Circle": "Кружок", + "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": "Щёлкните, чтобы начать рисование полигона", + "Clone": "Создать копию", + "Clone of {name}": "Копия {name}", + "Clone this feature": "Скопировать фигуру", + "Clone this map": "Создать копию карты", + "Close": "Закрыть", "Clustered": "Кластеризованный", + "Clustering radius": "Радиус кластеризации", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "В качестве разделителя используются запятые, табуляции и точки с запятой. Применяется датум WGS84. Импорт просматривает заголовок на наличие полей «lat» и «lon», регистр не имеет значения. Все остальные поля импортируются как свойства.", + "Continue line": "Продолжить линию", + "Continue line (Ctrl+Click)": "Продолжить линию (Ctrl+Click)", + "Coordinates": "Координаты", + "Credits": "Авторские права", + "Current view instead of default map view?": "Использовать текущий вид вместо карты по умолчанию?", + "Custom background": "Пользовательская подложка карты", + "Custom overlay": "Custom overlay", "Data browser": "Просмотр данных", + "Data filters": "Data filters", + "Data is browsable": "Данные можно просматривать", "Default": "По умолчанию", + "Default interaction options": "Параметры интерактивности по умолчанию", + "Default properties": "Свойства по умолчанию", + "Default shape properties": "Параметры фигуры по умолчанию", "Default zoom level": "Масштаб по умолчанию", "Default: name": "По умолчанию: название", + "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 property on all the features": "Удалить это свойство у всех объектов", + "Delete this shape": "Удалить эту фигуру", + "Delete this vertex (Alt+Click)": "Удалить эту точку (Alt+клик)", + "Directions from here": "Навигация отсюда", + "Disable editing": "Отключить редактирование", "Display label": "Показывать надпись", + "Display measure": "Display measure", + "Display on load": "Показывать при загрузке", "Display the control to open OpenStreetMap editor": "Отображать кнопку редактора OpenStreetMap", "Display the data layers control": "Отображать кнопку управления слоями данных", "Display the embed control": "Отображать кнопку встраивания", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Метки можно нажимать", - "None": "Нет", - "On the bottom": "Внизу", - "On the left": "Слева", - "On the right": "Справа", - "On the top": "Вверху", - "Popup content template": "Шаблон всплывающей подсказки", - "Set symbol": "Выбрать значок", - "Side panel": "Боковая панель", - "Simplify": "Упростить", - "Symbol or url": "Значок или URL", - "Table": "Таблица", - "always": "всегда", - "clear": "очистить", - "collapsed": "Свёрнуто", - "color": "цвет", - "dash array": "штрихи", - "define": "Задать", - "description": "описание", - "expanded": "Развёрнуто", - "fill": "заливка", - "fill color": "цвет заливки", - "fill opacity": "Непрозрачность заливки", - "hidden": "скрыт", - "iframe": "Iframe", - "inherit": "наследовать", - "name": "название", - "never": "никогда", - "new window": "Новое окно", - "no": "нет", - "on hover": "при наведении", - "opacity": "непрозрачность", - "parent window": "Родительское окно", - "stroke": "штрихи", - "weight": "толщина", - "yes": "да", - "{delay} seconds": "{delay} секунд", - "# one hash for main heading": "# один шарп — заголовок", - "## two hashes for second heading": "## два шарпа — подзаголовок", - "### three hashes for third heading": "### три шарпа — подзаголовок 3-го уровня", - "**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».", - "About": "Подробней", - "Action not allowed :(": "Действие недоступно :(", - "Activate slideshow mode": "Включить режим слайдшоу", - "Add a layer": "Добавить слой", - "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": "Прикрепить карту к моей учётной записи", - "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": "Щёлкайте, чтобы продолжить рисование", - "Click to edit": "Щёлкните, чтобы изменить", - "Click to start drawing a line": "Щёлкните, чтобы начать рисование линии", - "Click to start drawing a polygon": "Щёлкните, чтобы начать рисование полигона", - "Clone": "Создать копию", - "Clone of {name}": "Копия {name}", - "Clone this feature": "Скопировать фигуру", - "Clone this map": "Создать копию карты", - "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.": "В качестве разделителя используются запятые, табуляции и точки с запятой. Применяется датум WGS84. Импорт просматривает заголовок на наличие полей «lat» и «lon», регистр не имеет значения. Все остальные поля импортируются как свойства.", - "Continue line": "Продолжить линию", - "Continue line (Ctrl+Click)": "Продолжить линию (Ctrl+Click)", - "Coordinates": "Координаты", - "Credits": "Авторские права", - "Current view instead of default map view?": "Использовать текущий вид вместо карты по умолчанию?", - "Custom background": "Пользовательская подложка карты", - "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": "Удалить", - "Delete all layers": "Удалить все слои", - "Delete layer": "Удалить слой", - "Delete this feature": "Удалить объект", - "Delete this property on all the features": "Удалить это свойство у всех объектов", - "Delete this shape": "Удалить эту фигуру", - "Delete this vertex (Alt+Click)": "Удалить эту точку (Alt+клик)", - "Directions from here": "Навигация отсюда", - "Disable editing": "Отключить редактирование", - "Display measure": "Display measure", - "Display on load": "Показывать при загрузке", "Download": "Скачать", "Download data": "Скачать данные", "Drag to reorder": "Перетащите для изменения порядка", @@ -159,6 +125,7 @@ "Draw a marker": "Добавить метку", "Draw a polygon": "Нарисовать полигон", "Draw a polyline": "Нарисовать линию", + "Drop": "Капля", "Dynamic": "Динамический", "Dynamic properties": "Динамические свойства", "Edit": "Редактировать", @@ -172,23 +139,31 @@ "Embed the map": "Встроить карту", "Empty": "Очистить", "Enable editing": "Разрешить редактирование", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Ошибка в ссылке на слой карты", "Error while fetching {url}": "Ошибка при обработке {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Выйти из полноэкранного режима", "Extract shape to separate feature": "Извлечь фигуру в отдельный объект", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Запрашивать данные при каждом изменении отображения карты", "Filter keys": "Кнопки фильтра", "Filter…": "Фильтр...", "Format": "Формат", "From zoom": "С масштаба", "Full map data": "Все данные карты", + "GeoRSS (only link)": "GeoRSS (только ссылка)", + "GeoRSS (title + image)": "GeoRSS (заголовок и изображение)", "Go to «{feature}»": "Перейти к «{feature}»", + "Heatmap": "Тепловая карта", "Heatmap intensity property": "Свойство интенсивности тепловой карты", "Heatmap radius": "Радиус для тепловой карты", "Help": "Помощь", "Hide controls": "Убрать элементы управления", "Home": "Заглавная", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Насколько сильно упрощать линии на каждом масштабе (больше значение — больше скорость, но выглядит хуже; меньше значение — более гладкое отображение)", + "Icon shape": "Форма иконки", + "Icon symbol": "Иконка значка", "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 с указанием высоты (в пикселях): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Импортировать в новый слой", "Imports all umap data, including layers and settings.": "Импортировать все данные uMap, включая слои и настройки.", "Include full screen link?": "Включить ссылку на полноэкранный вид?", + "Inherit": "Наследовать", "Interaction options": "Параметры взаимодействия", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Неверные данные uMap", "Invalid umap data in {filename}": "Неверные данные uMap в файле {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Оставить текущие видимые слои", + "Label direction": "Направление метки", + "Label key": "Кнопка метки", + "Labels are clickable": "Метки можно нажимать", "Latitude": "Широта", "Layer": "Слой", "Layer properties": "Свойства слоя", @@ -225,20 +206,39 @@ "Merge lines": "Соединить линии", "More controls": "Другие элементы управления", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Должен быть в формате CSS (напр., DarkBlue или #123456)", + "No cache": "Не кэшировать", "No licence has been set": "Лицензия не была указана", "No results": "Нет данных", + "No results for these filters": "No results for these filters", + "None": "Нет", + "On the bottom": "Внизу", + "On the left": "Слева", + "On the right": "Справа", + "On the top": "Вверху", "Only visible features will be downloaded.": "Будут загружены только отображаемые объекты.", + "Open current feature on load": "Open current feature on load", "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.": "Необязательный.", "Optional. Same as color if not set.": "Дополнительно. Если не выбрано, то как цвет.", "Override clustering radius (default 80)": "Переопределить радиус кластеризации (по умолчанию 80)", "Override heatmap radius (default 25)": "Переопределить радиус для тепловой карты (по умолчанию 25)", + "Paste your data here": "Вставить ваши данные сюда", + "Permalink": "Постоянная ссылка", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Введите новое название свойства", + "Please save the map first": "Пожалуйста, сначала сохраните карту", + "Popup": "Всплывающее окно", + "Popup (large)": "Всплывающее окно (большое)", + "Popup content style": "Стиль содержимого всплывающего окна", + "Popup content template": "Шаблон всплывающей подсказки", + "Popup shape": "Форма всплывающего окна", "Powered by Leaflet and Django, glued by uMap project.": "Работает на Leaflet и Django, объединённые проектом uMap.", "Problem in the response": "Проблема с ответом", "Problem in the response format": "Формат ответа не распознан", @@ -262,12 +262,17 @@ "See all": "Посмотреть все", "See data layers": "Посмотреть слои данных", "See full screen": "Смотреть в полноэкранном режиме", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Сбросьте, чтобы скрыть слой из слайдшоу, просмотра данных и всплывающей навигации...", + "Set symbol": "Выбрать значок", "Shape properties": "Свойства фигуры", "Short URL": "Короткая ссылка", "Short credits": "Краткое описание прав", "Show/hide layer": "Показать/скрыть слой", + "Side panel": "Боковая панель", "Simple link: [[http://example.com]]": "Простая ссылка: [[http://example.com]]", + "Simplify": "Упростить", + "Skipping unknown geometry.type: {type}": "Пропущено неизвестное свойство geometry.type: {type}", "Slideshow": "Слайдшоу", "Smart transitions": "Интеллектуальные преобразования", "Sort key": "Кнопка сортировки", @@ -280,10 +285,13 @@ "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.": "Значок может быть как юникод-символом так и URL. Вы можете использовать свойства объектов как переменные. Например, в \"http://myserver.org/images/{name}.png\", переменная {name} будет заменена значением поля \"названия\" каждой метки на карте.", + "Symbol or url": "Значок или URL", "TMS format": "Формат TMS", + "Table": "Таблица", "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 unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Масштабировать", @@ -310,6 +318,7 @@ "Who can edit": "Кто может редактировать", "Who can view": "Кто может просматривать", "Will be displayed in the bottom right corner of the map": "Будет показано в правом нижнем углу карты", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Упс! Похоже, кто-то другой тоже редактирует эти данные. Вы можете сохранить свои правки, но это уничтожит правки другого участника.", "You have unsaved changes.": "У вас есть несохранённые изменения", @@ -321,10 +330,24 @@ "Zoom to the previous": "Приблизиться к предыдущему", "Zoom to this feature": "Приблизиться к этому объекту", "Zoom to this place": "Приблизить объект", + "always": "всегда", "attribution": "назначенные свойства", "by": "от", + "clear": "очистить", + "collapsed": "Свёрнуто", + "color": "цвет", + "dash array": "штрихи", + "define": "Задать", + "description": "описание", "display name": "отображаемое название", + "expanded": "Развёрнуто", + "fill": "заливка", + "fill color": "цвет заливки", + "fill opacity": "Непрозрачность заливки", "height": "высота", + "hidden": "скрыт", + "iframe": "Iframe", + "inherit": "наследовать", "licence": "лицензия", "max East": "Восток", "max North": "Север", @@ -332,10 +355,21 @@ "max West": "Запад", "max zoom": "максимальный масштаб", "min zoom": "минимальный масштаб", + "name": "название", + "never": "никогда", + "new window": "Новое окно", "next": "следующий", + "no": "нет", + "on hover": "при наведении", + "opacity": "непрозрачность", + "parent window": "Родительское окно", "previous": "предыдущий", + "stroke": "штрихи", + "weight": "толщина", "width": "ширина", + "yes": "да", "{count} errors during import: {message}": "{count} ошибок во время импорта: {message}", + "{delay} seconds": "{delay} секунд", "Measure distances": "Измерить расстояния", "NM": "ММ", "kilometers": "километров", @@ -343,43 +377,14 @@ "mi": "миля", "miles": "миль", "nautical miles": "морских миль", - "{area} acres": "{area} акров", - "{area} ha": "{area} гектар", - "{area} m²": "{area} м²", - "{area} mi²": "{area} миль²", - "{area} yd²": "{area} ярд²", - "{distance} NM": "{distance} ММ", - "{distance} km": "{distance} км", - "{distance} m": "{distance} м", - "{distance} miles": "{distance} миль", - "{distance} yd": "{distance} ярдов", - "1 day": "1 день", - "1 hour": "1 час", - "5 min": "5 мин", - "Cache proxied request": "Кэшированный прокси-запрос", - "No cache": "Не кэшировать", - "Popup": "Всплывающее окно", - "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": "Пожалуйста, сначала сохраните карту", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Постоянная ссылка", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} акров", + "{area} ha": "{area} гектар", + "{area} m²": "{area} м²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", + "{distance} NM": "{distance} ММ", + "{distance} km": "{distance} км", + "{distance} m": "{distance} м", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдов" } \ No newline at end of file diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index f836cf05..637443c5 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("si_LK", locale); L.setLocale("si_LK"); \ No newline at end of file diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ 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 06dac3ef..e1c8f131 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedna mriežka pre hlavný nadpis", + "## two hashes for second heading": "## dve mriežky pre nadpis druhej úrovne", + "### three hashes for third heading": "## tri mriežky pre nadpis tretej úrovne", + "**double star for bold**": "**všetko medzi dvoma hviezdičkami je tučně**", + "*simple star for italic*": "*všetko medzi hviezdičkami bude kurzívou*", + "--- for an horizontal rule": "--- vytvorí vodorovnú linku", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čiarkami oddelený zoznam čísel, ktorý popisuje vzor prerušovanej čiary. Napr. \"5, 10, 15\".", + "About": "O uMap", + "Action not allowed :(": "Akcia nie je povolená :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Pridať vrstvu", + "Add a line to the current multi": "Pridať čiaru k aktuálnemu multi", + "Add a new property": "Pridať novú vlastnosť", + "Add a polygon to the current multi": "Pridať polygón k aktuálnemu multi", "Add symbol": "Pridať symbol", + "Advanced actions": "Pokročilé akcie", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Pokročilé vlastnosti", + "Advanced transition": "Pokročilý prechod", + "All properties are imported.": "Všetky vlastnosti sú naimportované.", + "Allow interactions": "Povoliť interakcie", "Allow scroll wheel zoom?": "Povoliť približovanie kolieskom myši?", + "An error occured": "Nastala chyba", + "Are you sure you want to cancel your changes?": "Ste si istí že chcete zrušiť vaše úpravy?", + "Are you sure you want to clone this map and all its datalayers?": "Určite chcete vytvoriť kópiu celej tejto mapy a všetkých jej vrstiev?", + "Are you sure you want to delete the feature?": "Určite chcete vymazať tento objekt?", + "Are you sure you want to delete this layer?": "Určite chcete vymazať túto vrstvu?", + "Are you sure you want to delete this map?": "Ste si istí, že chcete vymazať túto mapu?", + "Are you sure you want to delete this property on all the features?": "Ste si istí že chcete vymazať túto vlastnosť na všetkých objektoch?", + "Are you sure you want to restore this version?": "Určite chcete obnoviť túto verziu?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Automatická", "Automatic": "Automaticky", + "Autostart when map is loaded": "Aut. spustenie pri načítaní mapy", + "Background overlay url": "Background overlay url", "Ball": "Špendlík", + "Bring feature to center": "Vycentruj mapu na objekt", + "Browse data": "Prezerať údaje", + "Cache proxied request": "Cache proxied request", "Cancel": "Zrušiť", + "Cancel edits": "Zrušiť zmeny", "Caption": "Nadpis", + "Center map on your location": "Vycentrovať mapu na vašu polohu", + "Change map background": "Zmeniť pozadie mapy", "Change symbol": "Zmeniť symbol", + "Change tilelayers": "Zmeniť pozadie mapy", + "Choose a preset": "Vyberte predvoľbu", "Choose the data format": "Zvoľte formát údajov", + "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer of the feature": "Zvoľte vrstvu do ktorej objekt patrí", + "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Circle": "Kruh", + "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", + "Click to add a marker": "Kliknutím pridáte značku", + "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", + "Click to edit": "Kliknutím upravte", + "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", + "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", + "Clone": "Vytvoriť kópiu", + "Clone of {name}": "Kópia {name}", + "Clone this feature": "Vytvoriť kópiu objektu", + "Clone this map": "Vytvoriť kópiu tejto mapy", + "Close": "Zatvoriť", "Clustered": "Zhluková", + "Clustering radius": "Polomer zhlukovania", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Čiarkami oddelený zoznam vlastností pre filtrovanie objektov", + "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.": "Hodnoty oddelené čiarkou, tabulátorom, alebo bodkočiarkou. Predpokladá sa SRS WGS84 a sú importované iba polohy bodov. Import hľadá záhlavie stĺpcov začínajúcich na \"lat\" a \"lon\" a tie považuje za súradnice (na veľkosti písmien nezáleži). Ostatné stĺpce sú importované ako vlastnosti.", + "Continue line": "Pokračovať v čiare", + "Continue line (Ctrl+Click)": "Pokračovať v čiare (Ctrl+Klik)", + "Coordinates": "Súradnice", + "Credits": "Poďakovania", + "Current view instead of default map view?": "Aktuálne zobrazenie namiesto štandardného zobrazenia mapy?", + "Custom background": "Vlastné pozadie", + "Custom overlay": "Custom overlay", "Data browser": "Prehliadač", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Predvolené", + "Default interaction options": "Predvolené možnosti interakcie", + "Default properties": "Predvolené vlastnosti", + "Default shape properties": "Predvolené vlastnosti tvaru", "Default zoom level": "Predvolené priblíženie", "Default: name": "Štandardná hodnota: názov", + "Define link to open in a new window on polygon click.": "Definujte odkaz na otvorenie, ktorý otvorí nové okno po kliknutí na polygón.", + "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Delete": "Vymazať", + "Delete all layers": "Vymazať všetky vrstvy", + "Delete layer": "Vymazať vrstvu", + "Delete this feature": "Vymazať tento objekt", + "Delete this property on all the features": "Vymazať túto vlastnosť na všetkých objektoch", + "Delete this shape": "Vymazať tento tvar", + "Delete this vertex (Alt+Click)": "Vymazať tento bod (Alt+Klik)", + "Directions from here": "Navigovať odtiaľto", + "Disable editing": "Zakázať úpravy", "Display label": "Zobraziť popis", + "Display measure": "Display measure", + "Display on load": "Zobraziť pri štarte", "Display the control to open OpenStreetMap editor": "Zobraziť ovládanie na otvorenie editora OpenStreetMap", "Display the data layers control": "Zobraziť ovládanie údajov vrstiev", "Display the embed control": "Zobraziť ovládanie vkladania", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Chcete zobraziť lištu s nadpismi?", "Do you want to display a minimap?": "Chcete zobraziť minimapu?", "Do you want to display a panel on load?": "Prajete si zobraziť panel pri štarte?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Chcete zobraziť v bubline navigačný panel?", "Do you want to display the scale control?": "Chcete zobraziť mierku mapy?", "Do you want to display the «more» control?": "Prajete si zobrazit «viac» nastavení?", - "Drop": "Pustiť", - "GeoRSS (only link)": "GeoRSS (iba odkaz)", - "GeoRSS (title + image)": "GeoRSS (názov + obrázok)", - "Heatmap": "Teplotná mapa", - "Icon shape": "Tvar ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "Predvolené", - "Label direction": "Orientácia popisu", - "Label key": "Kľúč popisu", - "Labels are clickable": "Popis je klikateľný", - "None": "Žiadny", - "On the bottom": "V spodnej časti", - "On the left": "Naľavo", - "On the right": "Napravo", - "On the top": "V hornej časti", - "Popup content template": "Šablóna obsahu bubliny", - "Set symbol": "Set symbol", - "Side panel": "Bočný panel", - "Simplify": "Zjednodušiť", - "Symbol or url": "Symbol or url", - "Table": "Tabuľka", - "always": "vždy", - "clear": "vyčistiť", - "collapsed": "zbalené", - "color": "farba", - "dash array": "štýl prerušovanej čiary", - "define": "definovať", - "description": "popis", - "expanded": "rozbalené", - "fill": "výplň", - "fill color": "farba výplne", - "fill opacity": "priehľadnosť výplne", - "hidden": "skryté", - "iframe": "iframe", - "inherit": "predvolené", - "name": "názov", - "never": "nikdy", - "new window": "nové okno", - "no": "nie", - "on hover": "on hover", - "opacity": "priehľadnosť", - "parent window": "nadradené okno", - "stroke": "linka", - "weight": "šírka linky", - "yes": "áno", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# jedna mriežka pre hlavný nadpis", - "## two hashes for second heading": "## dve mriežky pre nadpis druhej úrovne", - "### three hashes for third heading": "## tri mriežky pre nadpis tretej úrovne", - "**double star for bold**": "**všetko medzi dvoma hviezdičkami je tučně**", - "*simple star for italic*": "*všetko medzi hviezdičkami bude kurzívou*", - "--- for an horizontal rule": "--- vytvorí vodorovnú linku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čiarkami oddelený zoznam čísel, ktorý popisuje vzor prerušovanej čiary. Napr. \"5, 10, 15\".", - "About": "O uMap", - "Action not allowed :(": "Akcia nie je povolená :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Pridať vrstvu", - "Add a line to the current multi": "Pridať čiaru k aktuálnemu multi", - "Add a new property": "Pridať novú vlastnosť", - "Add a polygon to the current multi": "Pridať polygón k aktuálnemu multi", - "Advanced actions": "Pokročilé akcie", - "Advanced properties": "Pokročilé vlastnosti", - "Advanced transition": "Pokročilý prechod", - "All properties are imported.": "Všetky vlastnosti sú naimportované.", - "Allow interactions": "Povoliť interakcie", - "An error occured": "Nastala chyba", - "Are you sure you want to cancel your changes?": "Ste si istí že chcete zrušiť vaše úpravy?", - "Are you sure you want to clone this map and all its datalayers?": "Určite chcete vytvoriť kópiu celej tejto mapy a všetkých jej vrstiev?", - "Are you sure you want to delete the feature?": "Určite chcete vymazať tento objekt?", - "Are you sure you want to delete this layer?": "Určite chcete vymazať túto vrstvu?", - "Are you sure you want to delete this map?": "Ste si istí, že chcete vymazať túto mapu?", - "Are you sure you want to delete this property on all the features?": "Ste si istí že chcete vymazať túto vlastnosť na všetkých objektoch?", - "Are you sure you want to restore this version?": "Určite chcete obnoviť túto verziu?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Automatická", - "Autostart when map is loaded": "Aut. spustenie pri načítaní mapy", - "Bring feature to center": "Vycentruj mapu na objekt", - "Browse data": "Prezerať údaje", - "Cancel edits": "Zrušiť zmeny", - "Center map on your location": "Vycentrovať mapu na vašu polohu", - "Change map background": "Zmeniť pozadie mapy", - "Change tilelayers": "Zmeniť pozadie mapy", - "Choose a preset": "Vyberte predvoľbu", - "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", - "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", - "Click to edit": "Kliknutím upravte", - "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", - "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", - "Clone": "Vytvoriť kópiu", - "Clone of {name}": "Kópia {name}", - "Clone this feature": "Vytvoriť kópiu objektu", - "Clone this map": "Vytvoriť kópiu tejto mapy", - "Close": "Zatvoriť", - "Clustering radius": "Polomer zhlukovania", - "Comma separated list of properties to use when filtering features": "Čiarkami oddelený zoznam vlastností pre filtrovanie objektov", - "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.": "Hodnoty oddelené čiarkou, tabulátorom, alebo bodkočiarkou. Predpokladá sa SRS WGS84 a sú importované iba polohy bodov. Import hľadá záhlavie stĺpcov začínajúcich na \"lat\" a \"lon\" a tie považuje za súradnice (na veľkosti písmien nezáleži). Ostatné stĺpce sú importované ako vlastnosti.", - "Continue line": "Pokračovať v čiare", - "Continue line (Ctrl+Click)": "Pokračovať v čiare (Ctrl+Klik)", - "Coordinates": "Súradnice", - "Credits": "Poďakovania", - "Current view instead of default map view?": "Aktuálne zobrazenie namiesto štandardného zobrazenia mapy?", - "Custom background": "Vlastné pozadie", - "Data is browsable": "Data is browsable", - "Default interaction options": "Predvolené možnosti interakcie", - "Default properties": "Predvolené vlastnosti", - "Default shape properties": "Predvolené vlastnosti tvaru", - "Define link to open in a new window on polygon click.": "Definujte odkaz na otvorenie, ktorý otvorí nové okno po kliknutí na polygón.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Vymazať", - "Delete all layers": "Vymazať všetky vrstvy", - "Delete layer": "Vymazať vrstvu", - "Delete this feature": "Vymazať tento objekt", - "Delete this property on all the features": "Vymazať túto vlastnosť na všetkých objektoch", - "Delete this shape": "Vymazať tento tvar", - "Delete this vertex (Alt+Click)": "Vymazať tento bod (Alt+Klik)", - "Directions from here": "Navigovať odtiaľto", - "Disable editing": "Zakázať úpravy", - "Display measure": "Display measure", - "Display on load": "Zobraziť pri štarte", "Download": "Download", "Download data": "Stiahnuť údaje", "Drag to reorder": "Presunutím zmeníte poradie", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Nakresliť značku miesta", "Draw a polygon": "Nakresliť polygon", "Draw a polyline": "Nakresliť krivku", + "Drop": "Pustiť", "Dynamic": "Dynamicky", "Dynamic properties": "Dynamické vlastnosti", "Edit": "Upraviť", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Vložiť mapu na iný web", "Empty": "Vyprázdniť", "Enable editing": "Povoliť úpravy", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Chyba URL dlaždicovej vrstvy", "Error while fetching {url}": "Vyskytla sa chyba počas načítania {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Ukončiť režim celej obrazovky", "Extract shape to separate feature": "Vyňať tvar do samostatného objektu", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Načítanie údajov pri každej zmene zobrazenia mapy.", "Filter keys": "Kľúče filtra", "Filter…": "Filter…", "Format": "Formát", "From zoom": "Max. oddialenie", "Full map data": "Údaje celej mapy", + "GeoRSS (only link)": "GeoRSS (iba odkaz)", + "GeoRSS (title + image)": "GeoRSS (názov + obrázok)", "Go to «{feature}»": "Prejsť na «{feature}»", + "Heatmap": "Teplotná mapa", "Heatmap intensity property": "Vlastnosti intenzity heatmapy", "Heatmap radius": "Polomer teplotnej mapy", "Help": "Nápoveda", "Hide controls": "Skryť ovládacie prvky", "Home": "Domov", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Ako veľmi vyhladzovať a zjednodušovať pri oddialeni (väčšie = rýchlejša odozva a plynulejší vzhľad, menšie = presnejšie)", + "Icon shape": "Tvar ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Ak je vypnuté, polygón sa bude správať ako súčasť mapového podkladu.", "Iframe export options": "Možnosti Iframe exportu", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe s vlastnou výškou (v px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Importovať do novej vrstvy", "Imports all umap data, including layers and settings.": "Importuje všetky údaje umapy, vrátane vrstiev a nastavení.", "Include full screen link?": "Zahrnúť odkaz na celú obrazovku?", + "Inherit": "Predvolené", "Interaction options": "Možnosti interakcie", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Neplatné údaje umapy", "Invalid umap data in {filename}": "Neplatné údaje umapy v súbore {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Použiť pre aktuálne zobrazenie vrstiev", + "Label direction": "Orientácia popisu", + "Label key": "Kľúč popisu", + "Labels are clickable": "Popis je klikateľný", "Latitude": "Zem. šírka", "Layer": "Vrstva", "Layer properties": "Vlastnosti vrstvy", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Spojiť čiary", "More controls": "Viac ovládacích prvkov", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Musí byť platná hodnota CSS (napr.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Nebola nastavená žiadna licencia", "No results": "Žiadne výsledky", + "No results for these filters": "No results for these filters", + "None": "Žiadny", + "On the bottom": "V spodnej časti", + "On the left": "Naľavo", + "On the right": "Napravo", + "On the top": "V hornej časti", "Only visible features will be downloaded.": "Stiahnuté budú len viditeľné objekty.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Open download panel", "Open link in…": "Otvoriť odkaz v…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otvoriť túto mapovú oblasť v mapovom editore pre presnenie dát v OpenStreetMap", "Optional intensity property for heatmap": "Voliteľné vlastnosti intenzity pre heatmapu", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Nepovinné. Rovnaké ako farba, ak nie je nastavené.", "Override clustering radius (default 80)": "Prepísať polomer zhlukovania (predvolené 80)", "Override heatmap radius (default 25)": "Prepísať polomer teplotnej mapy (predvolené 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prosíme uistite sa, že licencia je v zhode s tým ako mapu používate.", "Please choose a format": "Prosím, zvoľte formát", "Please enter the name of the property": "Prosím, zadajte názov vlastnosti", "Please enter the new name of this property": "Prosím, zadajte nový názov tejto vlastnosti", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Šablóna obsahu bubliny", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Zostavené z Leaflet a Django, prepojené pomocou projektu uMap.", "Problem in the response": "Problém v odpovedi", "Problem in the response format": "Problém vo formáte odpovede", @@ -262,12 +262,17 @@ var locale = { "See all": "Zobraziť všetko", "See data layers": "See data layers", "See full screen": "Na celú obrazovku", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Vlastnosti tvaru", "Short URL": "Krátky odkaz URL", "Short credits": "Krátky text autorstva", "Show/hide layer": "Ukázať/skryť vrstvu", + "Side panel": "Bočný panel", "Simple link: [[http://example.com]]": "Jednoduchý odkaz: [[http://priklad.sk]]", + "Simplify": "Zjednodušiť", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Prezentácia", "Smart transitions": "Chytré prechody", "Sort key": "Kľúč radenia", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Podporovaná schéma", "Supported variables that will be dynamically replaced": "Podporované premenné, ktoré budú automaticky nahradené", "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.", + "Symbol or url": "Symbol or url", "TMS format": "Formát TMS", + "Table": "Tabuľka", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Použiť keď vzdialený server nepovoľuje cross-domain (pomalšie)", "To zoom": "Max. priblíženie", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Bude zobrazené s mapou vpravo dole", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bude zobrazené v nadpise mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ojoj! Niekto iný medzitým taktiež upravil údaje. Môžete ich napriek tomu uložiť, ale zmažete tak jeho zmeny.", "You have unsaved changes.": "Máte neuložené zmeny.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Priblížiť k predošlému", "Zoom to this feature": "Priblížiť na tento objekt", "Zoom to this place": "Priblížiť na toto miesto", + "always": "vždy", "attribution": "autorstvo", "by": "od", + "clear": "vyčistiť", + "collapsed": "zbalené", + "color": "farba", + "dash array": "štýl prerušovanej čiary", + "define": "definovať", + "description": "popis", "display name": "zobraziť názov", + "expanded": "rozbalené", + "fill": "výplň", + "fill color": "farba výplne", + "fill opacity": "priehľadnosť výplne", "height": "Výška", + "hidden": "skryté", + "iframe": "iframe", + "inherit": "predvolené", "licence": "licencia", "max East": "max. Východ", "max North": "max. Sever", @@ -332,10 +355,21 @@ var locale = { "max West": "max. Západ", "max zoom": "max. priblíženie", "min zoom": "max. oddialenie", + "name": "názov", + "never": "nikdy", + "new window": "nové okno", "next": "ďalší", + "no": "nie", + "on hover": "on hover", + "opacity": "priehľadnosť", + "parent window": "nadradené okno", "previous": "predchádzajúci", + "stroke": "linka", + "weight": "šírka linky", "width": "Šírka", + "yes": "áno", "{count} errors during import: {message}": "Počet chýb počas importu {count}: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("sk_SK", locale); L.setLocale("sk_SK"); \ No newline at end of file diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 3fd4c543..cd0948f9 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# jedna mriežka pre hlavný nadpis", + "## two hashes for second heading": "## dve mriežky pre nadpis druhej úrovne", + "### three hashes for third heading": "## tri mriežky pre nadpis tretej úrovne", + "**double star for bold**": "**všetko medzi dvoma hviezdičkami je tučně**", + "*simple star for italic*": "*všetko medzi hviezdičkami bude kurzívou*", + "--- for an horizontal rule": "--- vytvorí vodorovnú linku", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čiarkami oddelený zoznam čísel, ktorý popisuje vzor prerušovanej čiary. Napr. \"5, 10, 15\".", + "About": "O uMap", + "Action not allowed :(": "Akcia nie je povolená :(", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Pridať vrstvu", + "Add a line to the current multi": "Pridať čiaru k aktuálnemu multi", + "Add a new property": "Pridať novú vlastnosť", + "Add a polygon to the current multi": "Pridať polygón k aktuálnemu multi", "Add symbol": "Pridať symbol", + "Advanced actions": "Pokročilé akcie", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Pokročilé vlastnosti", + "Advanced transition": "Pokročilý prechod", + "All properties are imported.": "Všetky vlastnosti sú naimportované.", + "Allow interactions": "Povoliť interakcie", "Allow scroll wheel zoom?": "Povoliť približovanie kolieskom myši?", + "An error occured": "Nastala chyba", + "Are you sure you want to cancel your changes?": "Ste si istí že chcete zrušiť vaše úpravy?", + "Are you sure you want to clone this map and all its datalayers?": "Určite chcete vytvoriť kópiu celej tejto mapy a všetkých jej vrstiev?", + "Are you sure you want to delete the feature?": "Určite chcete vymazať tento objekt?", + "Are you sure you want to delete this layer?": "Určite chcete vymazať túto vrstvu?", + "Are you sure you want to delete this map?": "Ste si istí, že chcete vymazať túto mapu?", + "Are you sure you want to delete this property on all the features?": "Ste si istí že chcete vymazať túto vlastnosť na všetkých objektoch?", + "Are you sure you want to restore this version?": "Určite chcete obnoviť túto verziu?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Automatická", "Automatic": "Automaticky", + "Autostart when map is loaded": "Aut. spustenie pri načítaní mapy", + "Background overlay url": "Background overlay url", "Ball": "Špendlík", + "Bring feature to center": "Vycentruj mapu na objekt", + "Browse data": "Prezerať údaje", + "Cache proxied request": "Cache proxied request", "Cancel": "Zrušiť", + "Cancel edits": "Zrušiť zmeny", "Caption": "Nadpis", + "Center map on your location": "Vycentrovať mapu na vašu polohu", + "Change map background": "Zmeniť pozadie mapy", "Change symbol": "Zmeniť symbol", + "Change tilelayers": "Zmeniť pozadie mapy", + "Choose a preset": "Vyberte predvoľbu", "Choose the data format": "Zvoľte formát údajov", + "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", "Choose the layer of the feature": "Zvoľte vrstvu do ktorej objekt patrí", + "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", "Circle": "Kruh", + "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", + "Click to add a marker": "Kliknutím pridáte značku", + "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", + "Click to edit": "Kliknutím upravte", + "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", + "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", + "Clone": "Vytvoriť kópiu", + "Clone of {name}": "Kópia {name}", + "Clone this feature": "Vytvoriť kópiu objektu", + "Clone this map": "Vytvoriť kópiu tejto mapy", + "Close": "Zatvoriť", "Clustered": "Zhluková", + "Clustering radius": "Polomer zhlukovania", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Čiarkami oddelený zoznam vlastností pre filtrovanie objektov", + "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.": "Hodnoty oddelené čiarkou, tabulátorom, alebo bodkočiarkou. Predpokladá sa SRS WGS84 a sú importované iba polohy bodov. Import hľadá záhlavie stĺpcov začínajúcich na \"lat\" a \"lon\" a tie považuje za súradnice (na veľkosti písmien nezáleži). Ostatné stĺpce sú importované ako vlastnosti.", + "Continue line": "Pokračovať v čiare", + "Continue line (Ctrl+Click)": "Pokračovať v čiare (Ctrl+Klik)", + "Coordinates": "Súradnice", + "Credits": "Poďakovania", + "Current view instead of default map view?": "Aktuálne zobrazenie namiesto štandardného zobrazenia mapy?", + "Custom background": "Vlastné pozadie", + "Custom overlay": "Custom overlay", "Data browser": "Prehliadač", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Predvolené", + "Default interaction options": "Predvolené možnosti interakcie", + "Default properties": "Predvolené vlastnosti", + "Default shape properties": "Predvolené vlastnosti tvaru", "Default zoom level": "Predvolené priblíženie", "Default: name": "Štandardná hodnota: názov", + "Define link to open in a new window on polygon click.": "Definujte odkaz na otvorenie, ktorý otvorí nové okno po kliknutí na polygón.", + "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Delete": "Vymazať", + "Delete all layers": "Vymazať všetky vrstvy", + "Delete layer": "Vymazať vrstvu", + "Delete this feature": "Vymazať tento objekt", + "Delete this property on all the features": "Vymazať túto vlastnosť na všetkých objektoch", + "Delete this shape": "Vymazať tento tvar", + "Delete this vertex (Alt+Click)": "Vymazať tento bod (Alt+Klik)", + "Directions from here": "Navigovať odtiaľto", + "Disable editing": "Zakázať úpravy", "Display label": "Zobraziť popis", + "Display measure": "Display measure", + "Display on load": "Zobraziť pri štarte", "Display the control to open OpenStreetMap editor": "Zobraziť ovládanie na otvorenie editora OpenStreetMap", "Display the data layers control": "Zobraziť ovládanie údajov vrstiev", "Display the embed control": "Zobraziť ovládanie vkladania", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Chcete zobraziť lištu s nadpismi?", "Do you want to display a minimap?": "Chcete zobraziť minimapu?", "Do you want to display a panel on load?": "Prajete si zobraziť panel pri štarte?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Chcete zobraziť v bubline navigačný panel?", "Do you want to display the scale control?": "Chcete zobraziť mierku mapy?", "Do you want to display the «more» control?": "Prajete si zobrazit «viac» nastavení?", - "Drop": "Pustiť", - "GeoRSS (only link)": "GeoRSS (iba odkaz)", - "GeoRSS (title + image)": "GeoRSS (názov + obrázok)", - "Heatmap": "Teplotná mapa", - "Icon shape": "Tvar ikony", - "Icon symbol": "Symbol ikony", - "Inherit": "Predvolené", - "Label direction": "Orientácia popisu", - "Label key": "Kľúč popisu", - "Labels are clickable": "Popis je klikateľný", - "None": "Žiadny", - "On the bottom": "V spodnej časti", - "On the left": "Naľavo", - "On the right": "Napravo", - "On the top": "V hornej časti", - "Popup content template": "Šablóna obsahu bubliny", - "Set symbol": "Set symbol", - "Side panel": "Bočný panel", - "Simplify": "Zjednodušiť", - "Symbol or url": "Symbol or url", - "Table": "Tabuľka", - "always": "vždy", - "clear": "vyčistiť", - "collapsed": "zbalené", - "color": "farba", - "dash array": "štýl prerušovanej čiary", - "define": "definovať", - "description": "popis", - "expanded": "rozbalené", - "fill": "výplň", - "fill color": "farba výplne", - "fill opacity": "priehľadnosť výplne", - "hidden": "skryté", - "iframe": "iframe", - "inherit": "predvolené", - "name": "názov", - "never": "nikdy", - "new window": "nové okno", - "no": "nie", - "on hover": "on hover", - "opacity": "priehľadnosť", - "parent window": "nadradené okno", - "stroke": "linka", - "weight": "šírka linky", - "yes": "áno", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# jedna mriežka pre hlavný nadpis", - "## two hashes for second heading": "## dve mriežky pre nadpis druhej úrovne", - "### three hashes for third heading": "## tri mriežky pre nadpis tretej úrovne", - "**double star for bold**": "**všetko medzi dvoma hviezdičkami je tučně**", - "*simple star for italic*": "*všetko medzi hviezdičkami bude kurzívou*", - "--- for an horizontal rule": "--- vytvorí vodorovnú linku", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Čiarkami oddelený zoznam čísel, ktorý popisuje vzor prerušovanej čiary. Napr. \"5, 10, 15\".", - "About": "O uMap", - "Action not allowed :(": "Akcia nie je povolená :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Pridať vrstvu", - "Add a line to the current multi": "Pridať čiaru k aktuálnemu multi", - "Add a new property": "Pridať novú vlastnosť", - "Add a polygon to the current multi": "Pridať polygón k aktuálnemu multi", - "Advanced actions": "Pokročilé akcie", - "Advanced properties": "Pokročilé vlastnosti", - "Advanced transition": "Pokročilý prechod", - "All properties are imported.": "Všetky vlastnosti sú naimportované.", - "Allow interactions": "Povoliť interakcie", - "An error occured": "Nastala chyba", - "Are you sure you want to cancel your changes?": "Ste si istí že chcete zrušiť vaše úpravy?", - "Are you sure you want to clone this map and all its datalayers?": "Určite chcete vytvoriť kópiu celej tejto mapy a všetkých jej vrstiev?", - "Are you sure you want to delete the feature?": "Určite chcete vymazať tento objekt?", - "Are you sure you want to delete this layer?": "Určite chcete vymazať túto vrstvu?", - "Are you sure you want to delete this map?": "Ste si istí, že chcete vymazať túto mapu?", - "Are you sure you want to delete this property on all the features?": "Ste si istí že chcete vymazať túto vlastnosť na všetkých objektoch?", - "Are you sure you want to restore this version?": "Určite chcete obnoviť túto verziu?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Automatická", - "Autostart when map is loaded": "Aut. spustenie pri načítaní mapy", - "Bring feature to center": "Vycentruj mapu na objekt", - "Browse data": "Prezerať údaje", - "Cancel edits": "Zrušiť zmeny", - "Center map on your location": "Vycentrovať mapu na vašu polohu", - "Change map background": "Zmeniť pozadie mapy", - "Change tilelayers": "Zmeniť pozadie mapy", - "Choose a preset": "Vyberte predvoľbu", - "Choose the format of the data to import": "Zvoľte v akom formáte sú importované údaje", - "Choose the layer to import in": "Zvoľte vrstvu, do ktorej sa bude importovať", - "Click last point to finish shape": "Kliknite na posledný bod pre dokončenie tvaru", - "Click to add a marker": "Kliknutím pridáte značku", - "Click to continue drawing": "Kliknutím môžete pokračovať v kreslení", - "Click to edit": "Kliknutím upravte", - "Click to start drawing a line": "Kliknutím začnete kresliť čiaru", - "Click to start drawing a polygon": "Kliknutím začnete kresliť polygón", - "Clone": "Vytvoriť kópiu", - "Clone of {name}": "Kópia {name}", - "Clone this feature": "Vytvoriť kópiu objektu", - "Clone this map": "Vytvoriť kópiu tejto mapy", - "Close": "Zatvoriť", - "Clustering radius": "Polomer zhlukovania", - "Comma separated list of properties to use when filtering features": "Čiarkami oddelený zoznam vlastností pre filtrovanie objektov", - "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.": "Hodnoty oddelené čiarkou, tabulátorom, alebo bodkočiarkou. Predpokladá sa SRS WGS84 a sú importované iba polohy bodov. Import hľadá záhlavie stĺpcov začínajúcich na \"lat\" a \"lon\" a tie považuje za súradnice (na veľkosti písmien nezáleži). Ostatné stĺpce sú importované ako vlastnosti.", - "Continue line": "Pokračovať v čiare", - "Continue line (Ctrl+Click)": "Pokračovať v čiare (Ctrl+Klik)", - "Coordinates": "Súradnice", - "Credits": "Poďakovania", - "Current view instead of default map view?": "Aktuálne zobrazenie namiesto štandardného zobrazenia mapy?", - "Custom background": "Vlastné pozadie", - "Data is browsable": "Data is browsable", - "Default interaction options": "Predvolené možnosti interakcie", - "Default properties": "Predvolené vlastnosti", - "Default shape properties": "Predvolené vlastnosti tvaru", - "Define link to open in a new window on polygon click.": "Definujte odkaz na otvorenie, ktorý otvorí nové okno po kliknutí na polygón.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Vymazať", - "Delete all layers": "Vymazať všetky vrstvy", - "Delete layer": "Vymazať vrstvu", - "Delete this feature": "Vymazať tento objekt", - "Delete this property on all the features": "Vymazať túto vlastnosť na všetkých objektoch", - "Delete this shape": "Vymazať tento tvar", - "Delete this vertex (Alt+Click)": "Vymazať tento bod (Alt+Klik)", - "Directions from here": "Navigovať odtiaľto", - "Disable editing": "Zakázať úpravy", - "Display measure": "Display measure", - "Display on load": "Zobraziť pri štarte", "Download": "Download", "Download data": "Stiahnuť údaje", "Drag to reorder": "Presunutím zmeníte poradie", @@ -159,6 +125,7 @@ "Draw a marker": "Nakresliť značku miesta", "Draw a polygon": "Nakresliť polygon", "Draw a polyline": "Nakresliť krivku", + "Drop": "Pustiť", "Dynamic": "Dynamicky", "Dynamic properties": "Dynamické vlastnosti", "Edit": "Upraviť", @@ -172,23 +139,31 @@ "Embed the map": "Vložiť mapu na iný web", "Empty": "Vyprázdniť", "Enable editing": "Povoliť úpravy", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Chyba URL dlaždicovej vrstvy", "Error while fetching {url}": "Vyskytla sa chyba počas načítania {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Ukončiť režim celej obrazovky", "Extract shape to separate feature": "Vyňať tvar do samostatného objektu", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Načítanie údajov pri každej zmene zobrazenia mapy.", "Filter keys": "Kľúče filtra", "Filter…": "Filter…", "Format": "Formát", "From zoom": "Max. oddialenie", "Full map data": "Údaje celej mapy", + "GeoRSS (only link)": "GeoRSS (iba odkaz)", + "GeoRSS (title + image)": "GeoRSS (názov + obrázok)", "Go to «{feature}»": "Prejsť na «{feature}»", + "Heatmap": "Teplotná mapa", "Heatmap intensity property": "Vlastnosti intenzity heatmapy", "Heatmap radius": "Polomer teplotnej mapy", "Help": "Nápoveda", "Hide controls": "Skryť ovládacie prvky", "Home": "Domov", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Ako veľmi vyhladzovať a zjednodušovať pri oddialeni (väčšie = rýchlejša odozva a plynulejší vzhľad, menšie = presnejšie)", + "Icon shape": "Tvar ikony", + "Icon symbol": "Symbol ikony", "If false, the polygon will act as a part of the underlying map.": "Ak je vypnuté, polygón sa bude správať ako súčasť mapového podkladu.", "Iframe export options": "Možnosti Iframe exportu", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe s vlastnou výškou (v px): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Importovať do novej vrstvy", "Imports all umap data, including layers and settings.": "Importuje všetky údaje umapy, vrátane vrstiev a nastavení.", "Include full screen link?": "Zahrnúť odkaz na celú obrazovku?", + "Inherit": "Predvolené", "Interaction options": "Možnosti interakcie", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Neplatné údaje umapy", "Invalid umap data in {filename}": "Neplatné údaje umapy v súbore {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Použiť pre aktuálne zobrazenie vrstiev", + "Label direction": "Orientácia popisu", + "Label key": "Kľúč popisu", + "Labels are clickable": "Popis je klikateľný", "Latitude": "Zem. šírka", "Layer": "Vrstva", "Layer properties": "Vlastnosti vrstvy", @@ -225,20 +206,39 @@ "Merge lines": "Spojiť čiary", "More controls": "Viac ovládacích prvkov", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Musí byť platná hodnota CSS (napr.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "Nebola nastavená žiadna licencia", "No results": "Žiadne výsledky", + "No results for these filters": "No results for these filters", + "None": "Žiadny", + "On the bottom": "V spodnej časti", + "On the left": "Naľavo", + "On the right": "Napravo", + "On the top": "V hornej časti", "Only visible features will be downloaded.": "Stiahnuté budú len viditeľné objekty.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Open download panel", "Open link in…": "Otvoriť odkaz v…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Otvoriť túto mapovú oblasť v mapovom editore pre presnenie dát v OpenStreetMap", "Optional intensity property for heatmap": "Voliteľné vlastnosti intenzity pre heatmapu", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Nepovinné. Rovnaké ako farba, ak nie je nastavené.", "Override clustering radius (default 80)": "Prepísať polomer zhlukovania (predvolené 80)", "Override heatmap radius (default 25)": "Prepísať polomer teplotnej mapy (predvolené 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prosíme uistite sa, že licencia je v zhode s tým ako mapu používate.", "Please choose a format": "Prosím, zvoľte formát", "Please enter the name of the property": "Prosím, zadajte názov vlastnosti", "Please enter the new name of this property": "Prosím, zadajte nový názov tejto vlastnosti", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Šablóna obsahu bubliny", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Zostavené z Leaflet a Django, prepojené pomocou projektu uMap.", "Problem in the response": "Problém v odpovedi", "Problem in the response format": "Problém vo formáte odpovede", @@ -262,12 +262,17 @@ "See all": "Zobraziť všetko", "See data layers": "See data layers", "See full screen": "Na celú obrazovku", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Vlastnosti tvaru", "Short URL": "Krátky odkaz URL", "Short credits": "Krátky text autorstva", "Show/hide layer": "Ukázať/skryť vrstvu", + "Side panel": "Bočný panel", "Simple link: [[http://example.com]]": "Jednoduchý odkaz: [[http://priklad.sk]]", + "Simplify": "Zjednodušiť", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Prezentácia", "Smart transitions": "Chytré prechody", "Sort key": "Kľúč radenia", @@ -280,10 +285,13 @@ "Supported scheme": "Podporovaná schéma", "Supported variables that will be dynamically replaced": "Podporované premenné, ktoré budú automaticky nahradené", "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.", + "Symbol or url": "Symbol or url", "TMS format": "Formát TMS", + "Table": "Tabuľka", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Použiť keď vzdialený server nepovoľuje cross-domain (pomalšie)", "To zoom": "Max. priblíženie", @@ -310,6 +318,7 @@ "Who can edit": "Who can edit", "Who can view": "Who can view", "Will be displayed in the bottom right corner of the map": "Bude zobrazené s mapou vpravo dole", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Bude zobrazené v nadpise mapy", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Ojoj! Niekto iný medzitým taktiež upravil údaje. Môžete ich napriek tomu uložiť, ale zmažete tak jeho zmeny.", "You have unsaved changes.": "Máte neuložené zmeny.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Priblížiť k predošlému", "Zoom to this feature": "Priblížiť na tento objekt", "Zoom to this place": "Priblížiť na toto miesto", + "always": "vždy", "attribution": "autorstvo", "by": "od", + "clear": "vyčistiť", + "collapsed": "zbalené", + "color": "farba", + "dash array": "štýl prerušovanej čiary", + "define": "definovať", + "description": "popis", "display name": "zobraziť názov", + "expanded": "rozbalené", + "fill": "výplň", + "fill color": "farba výplne", + "fill opacity": "priehľadnosť výplne", "height": "Výška", + "hidden": "skryté", + "iframe": "iframe", + "inherit": "predvolené", "licence": "licencia", "max East": "max. Východ", "max North": "max. Sever", @@ -332,10 +355,21 @@ "max West": "max. Západ", "max zoom": "max. priblíženie", "min zoom": "max. oddialenie", + "name": "názov", + "never": "nikdy", + "new window": "nové okno", "next": "ďalší", + "no": "nie", + "on hover": "on hover", + "opacity": "priehľadnosť", + "parent window": "nadradené okno", "previous": "predchádzajúci", + "stroke": "linka", + "weight": "šírka linky", "width": "Šírka", + "yes": "áno", "{count} errors during import: {message}": "Počet chýb počas importu {count}: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index fb50b3de..87925759 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en znak za prvi glavni naslov", + "## two hashes for second heading": "## dva znaka za drugi naslov", + "### three hashes for third heading": "### trije znaki za tretji naslov", + "**double star for bold**": "**dvojna zvezdica za krepko pisavo**", + "*simple star for italic*": "*enojna zvezdica za ležečo pisavo*", + "--- for an horizontal rule": "--- za vodoravno črto", + "1 day": "1 dan", + "1 hour": "1 ura", + "5 min": "5 min", + "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 zemljevidu", + "Action not allowed :(": "Dejanje ni dovoljeno :(", + "Activate slideshow mode": "Omogoči predstavitveni način", + "Add a layer": "Dodaj plast", + "Add a line to the current multi": "Dodaj črto k trenutnemu večtočkovnemu predmetu", + "Add a new property": "Dodaj novo lastnost", + "Add a polygon to the current multi": "Dodaj mnogokotnik k trenutnemu večtočkovnemu predmetu", "Add symbol": "Dodaj simbol", + "Advanced actions": "Napredna dejanja", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Napredne nastavitve", + "Advanced transition": "Napredni prehodi", + "All properties are imported.": "Vse lastnosti so uvožene.", + "Allow interactions": "Dovoli interakcije", "Allow scroll wheel zoom?": "Ali naj se dovoli približanje pogleda s kolescem miške?", + "An error occured": "Prišlo je do napake", + "Are you sure you want to cancel your changes?": "Ali ste prepričani, da želite preklicati spremembe?", + "Are you sure you want to clone this map and all its datalayers?": "Ali ste prepričani, da želite klonirati ta zemljevid in vse njegove podatkovne plasti?", + "Are you sure you want to delete the feature?": "Ali ste prepričani, da želite izbrisati to možnost?", + "Are you sure you want to delete this layer?": "Ali ste prepričani, da želite izbrisati to plast?", + "Are you sure you want to delete this map?": "Ali ste prepričani, da želite izbrisati ta zemljevid?", + "Are you sure you want to delete this property on all the features?": "Ali res želite izbrisati to lastnost pri vseh vstavljenih predmetih?", + "Are you sure you want to restore this version?": "Ali res želite obnoviti to različico?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Samodejno", "Automatic": "Samodejno", + "Autostart when map is loaded": "Samodejno zaženi, ko je zemljevid naložen", + "Background overlay url": "Background overlay url", "Ball": "Bucika", + "Bring feature to center": "Postavi predmet v središče", + "Browse data": "Prebrskaj podatke", + "Cache proxied request": "Cache proxied request", "Cancel": "Prekliči", + "Cancel edits": "Prekliči urajanje", "Caption": "Naslov", + "Center map on your location": "Postavi trenutno točko v središče zemljevida", + "Change map background": "Zamenjaj ozadje zemljevida", "Change symbol": "Spremeni simbol", + "Change tilelayers": "Spremeni plasti", + "Choose a preset": "Izbor prednastavitev", "Choose the data format": "Izbor zapisa podatkov", + "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer of the feature": "Izbor plasti za postavitev predmeta", + "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Circle": "Točka", + "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", + "Click to add a marker": "Kliknite za dodajanje označbe", + "Click to continue drawing": "Kliknite za nadaljevanje risanja", + "Click to edit": "Kliknite za urejanje", + "Click to start drawing a line": "Kliknite za začetek risanja črte", + "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", + "Clone": "Kloniraj", + "Clone of {name}": "Klon zemljevida {name}", + "Clone this feature": "Kloniraj predmet", + "Clone this map": "Kloniraj zemljevid", + "Close": "Zapri", "Clustered": "Zbrano območje", + "Clustering radius": "Radij zbranega omgočja", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Z vejico ločen seznam lastnosti, uporabljenimi med filtriranjem predmetov", + "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.": "Z vejico, tabulatorjem ali podpičjem ločene vrednosti, nakazane prek SRS WGS84. Uvoženi so le točkovni podatki. Med uvozom bo preiskan stolpec glav za podatke geografske »širine« in«dolžine«, neupoštevajoč velikost pisave. Vsi ostali stolpci bodo uvoženi kot lastnosti predmetov.", + "Continue line": "Nadaljuj z risanjem črte", + "Continue line (Ctrl+Click)": "Nadaljuj s črto (Ctrl+Klik)", + "Coordinates": "Koordinate", + "Credits": "Zasluge", + "Current view instead of default map view?": "Ali želite omogočiti trenutni pogled namesto privzetega pogleda zemljevida?", + "Custom background": "Ozadje po meri", + "Custom overlay": "Custom overlay", "Data browser": "Brskalnik podatkov", + "Data filters": "Data filters", + "Data is browsable": "Podatke je mogoče brskati", "Default": "Privzeto", + "Default interaction options": "Privzete možnosti interakcije", + "Default properties": "Privzete lastnosti", + "Default shape properties": "Privzete možnosti oblike", "Default zoom level": "Privzeta raven približanja", "Default: name": "Privzeto: ime", + "Define link to open in a new window on polygon click.": "Določitev povezave za odpiranje v novem oknu ob kliku na mnogokotnik.", + "Delay between two transitions when in play mode": "Zamik med prehodi v načinu predvajanja", + "Delete": "Izbriši", + "Delete all layers": "Izbriši vse plasti", + "Delete layer": "Izbriši plast", + "Delete this feature": "Izbriši ta predmet", + "Delete this property on all the features": "Izbriši lastnost pri vseh vstavljenih predmetih", + "Delete this shape": "Izbriši ta predmet", + "Delete this vertex (Alt+Click)": "Izbriši to točko (Alt+Klik)", + "Directions from here": "Navigacija od tu", + "Disable editing": "Onemogoči urejanje", "Display label": "Pokaži oznako", + "Display measure": "Pokaži merilo", + "Display on load": "Prikaži ob nalaganju", "Display the control to open OpenStreetMap editor": "Pokaži gumb za odpiranje urejevalnika OpenstreetMap", "Display the data layers control": "Pokaži gumb za nadzor podatkov plasti", "Display the embed control": "Pokaži gumb za vstavljanje predmetov", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Ali želite pokazati naslovno vrstico?", "Do you want to display a minimap?": "Ali želite prikazati mini zemljevid?", "Do you want to display a panel on load?": "Ali želite pokazati bočno okno ob zagonu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Ali želite prikazati pojavno okno noge?", "Do you want to display the scale control?": "Ali želite prikazati gumbe merila?", "Do you want to display the «more» control?": "Ali želite pokazati orodno vrstico »več možnosti«?", - "Drop": "Kapljica", - "GeoRSS (only link)": "GeoRSS (le povezava)", - "GeoRSS (title + image)": "GeoRSS (naslov in slika)", - "Heatmap": "Vročinske točke", - "Icon shape": "Oblika ikone", - "Icon symbol": "Simbol ikone", - "Inherit": "Prevzemi", - "Label direction": "Usmerjenost oznake", - "Label key": "Oznaka", - "Labels are clickable": "Oznake so klikljive", - "None": "Brez", - "On the bottom": "Na dnu", - "On the left": "Na levi", - "On the right": "Na desni", - "On the top": "Na vrhu", - "Popup content template": "Predloga pojavne vsebine", - "Set symbol": "Set symbol", - "Side panel": "Bočno okno", - "Simplify": "Poenostavi", - "Symbol or url": "Symbol or url", - "Table": "Razpredelnica", - "always": "vedno", - "clear": "počisti", - "collapsed": "zloženo", - "color": "barva", - "dash array": "črtkano", - "define": "določi", - "description": "opis", - "expanded": "razširjeno", - "fill": "polnilo", - "fill color": "barva polnila", - "fill opacity": "prosojnost polnila", - "hidden": "skrito", - "iframe": "iframe", - "inherit": "prevzemi", - "name": "ime", - "never": "nikoli", - "new window": "novo okno", - "no": "ne", - "on hover": "on hover", - "opacity": "prosojnost", - "parent window": "glavno okno", - "stroke": "prečrtano", - "weight": "debelina", - "yes": "da", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# en znak za prvi glavni naslov", - "## two hashes for second heading": "## dva znaka za drugi naslov", - "### three hashes for third heading": "### trije znaki za tretji naslov", - "**double star for bold**": "**dvojna zvezdica za krepko pisavo**", - "*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 zemljevidu", - "Action not allowed :(": "Dejanje ni dovoljeno :(", - "Activate slideshow mode": "Omogoči predstavitveni način", - "Add a layer": "Dodaj plast", - "Add a line to the current multi": "Dodaj črto k trenutnemu večtočkovnemu predmetu", - "Add a new property": "Dodaj novo lastnost", - "Add a polygon to the current multi": "Dodaj mnogokotnik k trenutnemu večtočkovnemu predmetu", - "Advanced actions": "Napredna dejanja", - "Advanced properties": "Napredne nastavitve", - "Advanced transition": "Napredni prehodi", - "All properties are imported.": "Vse lastnosti so uvožene.", - "Allow interactions": "Dovoli interakcije", - "An error occured": "Prišlo je do napake", - "Are you sure you want to cancel your changes?": "Ali ste prepričani, da želite preklicati spremembe?", - "Are you sure you want to clone this map and all its datalayers?": "Ali ste prepričani, da želite klonirati ta zemljevid in vse njegove podatkovne plasti?", - "Are you sure you want to delete the feature?": "Ali ste prepričani, da želite izbrisati to možnost?", - "Are you sure you want to delete this layer?": "Ali ste prepričani, da želite izbrisati to plast?", - "Are you sure you want to delete this map?": "Ali ste prepričani, da želite izbrisati ta zemljevid?", - "Are you sure you want to delete this property on all the features?": "Ali res želite izbrisati to lastnost pri vseh vstavljenih predmetih?", - "Are you sure you want to restore this version?": "Ali res želite obnoviti to različico?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Samodejno", - "Autostart when map is loaded": "Samodejno zaženi, ko je zemljevid naložen", - "Bring feature to center": "Postavi predmet v središče", - "Browse data": "Prebrskaj podatke", - "Cancel edits": "Prekliči urajanje", - "Center map on your location": "Postavi trenutno točko v središče zemljevida", - "Change map background": "Zamenjaj ozadje zemljevida", - "Change tilelayers": "Spremeni plasti", - "Choose a preset": "Izbor prednastavitev", - "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", - "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing": "Kliknite za nadaljevanje risanja", - "Click to edit": "Kliknite za urejanje", - "Click to start drawing a line": "Kliknite za začetek risanja črte", - "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", - "Clone": "Kloniraj", - "Clone of {name}": "Klon zemljevida {name}", - "Clone this feature": "Kloniraj predmet", - "Clone this map": "Kloniraj zemljevid", - "Close": "Zapri", - "Clustering radius": "Radij zbranega omgočja", - "Comma separated list of properties to use when filtering features": "Z vejico ločen seznam lastnosti, uporabljenimi med filtriranjem predmetov", - "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.": "Z vejico, tabulatorjem ali podpičjem ločene vrednosti, nakazane prek SRS WGS84. Uvoženi so le točkovni podatki. Med uvozom bo preiskan stolpec glav za podatke geografske »širine« in«dolžine«, neupoštevajoč velikost pisave. Vsi ostali stolpci bodo uvoženi kot lastnosti predmetov.", - "Continue line": "Nadaljuj z risanjem črte", - "Continue line (Ctrl+Click)": "Nadaljuj s črto (Ctrl+Klik)", - "Coordinates": "Koordinate", - "Credits": "Zasluge", - "Current view instead of default map view?": "Ali želite omogočiti trenutni pogled namesto privzetega pogleda zemljevida?", - "Custom background": "Ozadje po meri", - "Data is browsable": "Podatke je mogoče brskati", - "Default interaction options": "Privzete možnosti interakcije", - "Default properties": "Privzete lastnosti", - "Default shape properties": "Privzete možnosti oblike", - "Define link to open in a new window on polygon click.": "Določitev povezave za odpiranje v novem oknu ob kliku na mnogokotnik.", - "Delay between two transitions when in play mode": "Zamik med prehodi v načinu predvajanja", - "Delete": "Izbriši", - "Delete all layers": "Izbriši vse plasti", - "Delete layer": "Izbriši plast", - "Delete this feature": "Izbriši ta predmet", - "Delete this property on all the features": "Izbriši lastnost pri vseh vstavljenih predmetih", - "Delete this shape": "Izbriši ta predmet", - "Delete this vertex (Alt+Click)": "Izbriši to točko (Alt+Klik)", - "Directions from here": "Navigacija od tu", - "Disable editing": "Onemogoči urejanje", - "Display measure": "Pokaži merilo", - "Display on load": "Prikaži ob nalaganju", "Download": "Prenos", "Download data": "Prejmi podatke", "Drag to reorder": "Potegni za prerazvrstitev", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Nariši označbo", "Draw a polygon": "Nariši mnogokotnik", "Draw a polyline": "Nariši črto v več koleni", + "Drop": "Kapljica", "Dynamic": "Dinamično", "Dynamic properties": "Dinamične lastnosti", "Edit": "Uredi", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Vstavi zemljevid", "Empty": "Prazno", "Enable editing": "Omogoči urejanje", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Napaka v naslovu URL plasti", "Error while fetching {url}": "Napaka pridobivanja naslova URL {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Končaj celozaslonski način", "Extract shape to separate feature": "Izloči obliko v ločen predmet", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Pridobi podatke vsakič, ko se spremeni pogled zemljevida.", "Filter keys": "Filtri", "Filter…": "Filter ...", "Format": "zapis", "From zoom": "Iz približanja", "Full map data": "Polni podatki zemljevida", + "GeoRSS (only link)": "GeoRSS (le povezava)", + "GeoRSS (title + image)": "GeoRSS (naslov in slika)", "Go to «{feature}»": "Skoči na »{feature}«", + "Heatmap": "Vročinske točke", "Heatmap intensity property": "Lastnosti jakosti vročinskih točk", "Heatmap radius": "Radij vročinskih točk", "Help": "Pomoč", "Hide controls": "Skrij orodja", "Home": "Začetna stran", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kako močno naj bodo poenostavljene prte na posamezni ravni približanja (močno = boljše delovanje in prijetnejši videz ali malo = bolj natančen prikaz)", + "Icon shape": "Oblika ikone", + "Icon symbol": "Simbol ikone", "If false, the polygon will act as a part of the underlying map.": "Neizbrana možnost določa, da bo mnogokotnik obravnavan kot del zemljevida.", "Iframe export options": "Možnosti izvoza v iFrame", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Predmet Iframe z višino po meri (v točkah): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Uvozi v novo plast", "Imports all umap data, including layers and settings.": "Uvozi vse podatke umap, vključno s plastmi in nastavitvami.", "Include full screen link?": "Ali želite vključiti povezavo do celozaslonskega prikaza?", + "Inherit": "Prevzemi", "Interaction options": "Možnosti interakcije", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Neveljavni podatki umap", "Invalid umap data in {filename}": "Neveljavni podatki umap v datoteki {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Ohrani trenutno vidne plasti", + "Label direction": "Usmerjenost oznake", + "Label key": "Oznaka", + "Labels are clickable": "Oznake so klikljive", "Latitude": "Geografska širina", "Layer": "Plast", "Layer properties": "Lastnosti plasti", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Združi črte", "More controls": "Več orodij", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Vrednost mora biti skladna z zapisom CSS (na primer: DarkBlue ali #123456)", + "No cache": "No cache", "No licence has been set": "Ni določenega dovoljenja za uporabo", "No results": "Ni zadetkov", + "No results for these filters": "No results for these filters", + "None": "Brez", + "On the bottom": "Na dnu", + "On the left": "Na levi", + "On the right": "Na desni", + "On the top": "Na vrhu", "Only visible features will be downloaded.": "Prejeti bodo le vidni predmeti.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Open download panel", "Open link in…": "Odpri povezavo v ...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Odpri obseg zemljevida v urejevalniku za prenos podrobnejših podatkov na OpenStreetMap.", "Optional intensity property for heatmap": "Izbirna lastnost jakosti vročinskih točke", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Izbirno. Enako, kot nedoločena barva.", "Override clustering radius (default 80)": "Prekliči radij združevanja (privzeto 80)", "Override heatmap radius (default 25)": "Prekliči radij vročinskih točk (privzeto 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prepričajte se, da je zemljevid uporabljen v skladu z dovoljenjem.", "Please choose a format": "Izbrati je treba zapis", "Please enter the name of the property": "Ime lastnosti", "Please enter the new name of this property": "Novo ime lastnosti", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Predloga pojavne vsebine", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Zasnovano na orodjih Leaflet in Django, združeno pri projektu uMap.", "Problem in the response": "Napaka v odzivu", "Problem in the response format": "Napaka v zapisu odziva", @@ -262,12 +262,17 @@ var locale = { "See all": "Pokaži vse", "See data layers": "See data layers", "See full screen": "Pokaži v celozaslonskem načinu", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Neizbrana možnost skrije plast med predstavitvijo, v pregledovalniku podatkov, ...", + "Set symbol": "Set symbol", "Shape properties": "Lastnosti oblike", "Short URL": "Skrajšan naslov URL", "Short credits": "Kratek zapis zaslug", "Show/hide layer": "Pokaži / Skrij plast", + "Side panel": "Bočno okno", "Simple link: [[http://example.com]]": "Enostavna povezava: [[http://primer.com]]", + "Simplify": "Poenostavi", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Predstavitev", "Smart transitions": "Pametni prehodi", "Sort key": "Razvrščanje", @@ -280,10 +285,13 @@ var locale = { "Supported scheme": "Podprta shema", "Supported variables that will be dynamically replaced": "Podprte spremenljivke, ki bodo dinamično zamenjane", "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.", + "Symbol or url": "Symbol or url", "TMS format": "Zapis TMS", + "Table": "Razpredelnica", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Kdo lahko ureja", "Who can view": "Kdo lahko vidi", "Will be displayed in the bottom right corner of the map": "Prikazan bo v spodnjem desnem kotu zemljevida", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Prikazan bo v naslovu zemljevida", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Opa! Nekdo drug je najverjetneje urejal podatke. Spremembe lahko vseeno shranite, vendar bo to prepisalo spremembe, ustvarjene s strani drugih urednikov.", "You have unsaved changes.": "Zaznane so neshranjene spremembe.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Približaj na predhodno točko", "Zoom to this feature": "Približaj k predmetu", "Zoom to this place": "Približaj na to mesto", + "always": "vedno", "attribution": "pripisovanje", "by": "–", + "clear": "počisti", + "collapsed": "zloženo", + "color": "barva", + "dash array": "črtkano", + "define": "določi", + "description": "opis", "display name": "prikazno ime", + "expanded": "razširjeno", + "fill": "polnilo", + "fill color": "barva polnila", + "fill opacity": "prosojnost polnila", "height": "višina", + "hidden": "skrito", + "iframe": "iframe", + "inherit": "prevzemi", "licence": "dovoljenje", "max East": "najbolj vzhodno", "max North": "najbolj severno", @@ -332,10 +355,21 @@ var locale = { "max West": "najbolj zahodno", "max zoom": "največje približanje", "min zoom": "največje oddaljanje", + "name": "ime", + "never": "nikoli", + "new window": "novo okno", "next": "naslednji", + "no": "ne", + "on hover": "on hover", + "opacity": "prosojnost", + "parent window": "glavno okno", "previous": "predhodni", + "stroke": "prečrtano", + "weight": "debelina", "width": "širina", + "yes": "da", "{count} errors during import: {message}": "Zaznane so napake ({count}) med uvozom: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Merjenje razdalj", "NM": "NM", "kilometers": "kilometri", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "milje", "nautical miles": "navtične milje", - "{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 dan", - "1 hour": "1 ura", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; 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 cc096b1a..7e56bef6 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en znak za prvi glavni naslov", + "## two hashes for second heading": "## dva znaka za drugi naslov", + "### three hashes for third heading": "### trije znaki za tretji naslov", + "**double star for bold**": "**dvojna zvezdica za krepko pisavo**", + "*simple star for italic*": "*enojna zvezdica za ležečo pisavo*", + "--- for an horizontal rule": "--- za vodoravno črto", + "1 day": "1 dan", + "1 hour": "1 ura", + "5 min": "5 min", + "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 zemljevidu", + "Action not allowed :(": "Dejanje ni dovoljeno :(", + "Activate slideshow mode": "Omogoči predstavitveni način", + "Add a layer": "Dodaj plast", + "Add a line to the current multi": "Dodaj črto k trenutnemu večtočkovnemu predmetu", + "Add a new property": "Dodaj novo lastnost", + "Add a polygon to the current multi": "Dodaj mnogokotnik k trenutnemu večtočkovnemu predmetu", "Add symbol": "Dodaj simbol", + "Advanced actions": "Napredna dejanja", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Napredne nastavitve", + "Advanced transition": "Napredni prehodi", + "All properties are imported.": "Vse lastnosti so uvožene.", + "Allow interactions": "Dovoli interakcije", "Allow scroll wheel zoom?": "Ali naj se dovoli približanje pogleda s kolescem miške?", + "An error occured": "Prišlo je do napake", + "Are you sure you want to cancel your changes?": "Ali ste prepričani, da želite preklicati spremembe?", + "Are you sure you want to clone this map and all its datalayers?": "Ali ste prepričani, da želite klonirati ta zemljevid in vse njegove podatkovne plasti?", + "Are you sure you want to delete the feature?": "Ali ste prepričani, da želite izbrisati to možnost?", + "Are you sure you want to delete this layer?": "Ali ste prepričani, da želite izbrisati to plast?", + "Are you sure you want to delete this map?": "Ali ste prepričani, da želite izbrisati ta zemljevid?", + "Are you sure you want to delete this property on all the features?": "Ali res želite izbrisati to lastnost pri vseh vstavljenih predmetih?", + "Are you sure you want to restore this version?": "Ali res želite obnoviti to različico?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "Samodejno", "Automatic": "Samodejno", + "Autostart when map is loaded": "Samodejno zaženi, ko je zemljevid naložen", + "Background overlay url": "Background overlay url", "Ball": "Bucika", + "Bring feature to center": "Postavi predmet v središče", + "Browse data": "Prebrskaj podatke", + "Cache proxied request": "Cache proxied request", "Cancel": "Prekliči", + "Cancel edits": "Prekliči urajanje", "Caption": "Naslov", + "Center map on your location": "Postavi trenutno točko v središče zemljevida", + "Change map background": "Zamenjaj ozadje zemljevida", "Change symbol": "Spremeni simbol", + "Change tilelayers": "Spremeni plasti", + "Choose a preset": "Izbor prednastavitev", "Choose the data format": "Izbor zapisa podatkov", + "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", "Choose the layer of the feature": "Izbor plasti za postavitev predmeta", + "Choose the layer to import in": "Izbor plasti za uvoz podatkov", "Circle": "Točka", + "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", + "Click to add a marker": "Kliknite za dodajanje označbe", + "Click to continue drawing": "Kliknite za nadaljevanje risanja", + "Click to edit": "Kliknite za urejanje", + "Click to start drawing a line": "Kliknite za začetek risanja črte", + "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", + "Clone": "Kloniraj", + "Clone of {name}": "Klon zemljevida {name}", + "Clone this feature": "Kloniraj predmet", + "Clone this map": "Kloniraj zemljevid", + "Close": "Zapri", "Clustered": "Zbrano območje", + "Clustering radius": "Radij zbranega omgočja", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "Comma separated list of properties to use when filtering features": "Z vejico ločen seznam lastnosti, uporabljenimi med filtriranjem predmetov", + "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.": "Z vejico, tabulatorjem ali podpičjem ločene vrednosti, nakazane prek SRS WGS84. Uvoženi so le točkovni podatki. Med uvozom bo preiskan stolpec glav za podatke geografske »širine« in«dolžine«, neupoštevajoč velikost pisave. Vsi ostali stolpci bodo uvoženi kot lastnosti predmetov.", + "Continue line": "Nadaljuj z risanjem črte", + "Continue line (Ctrl+Click)": "Nadaljuj s črto (Ctrl+Klik)", + "Coordinates": "Koordinate", + "Credits": "Zasluge", + "Current view instead of default map view?": "Ali želite omogočiti trenutni pogled namesto privzetega pogleda zemljevida?", + "Custom background": "Ozadje po meri", + "Custom overlay": "Custom overlay", "Data browser": "Brskalnik podatkov", + "Data filters": "Data filters", + "Data is browsable": "Podatke je mogoče brskati", "Default": "Privzeto", + "Default interaction options": "Privzete možnosti interakcije", + "Default properties": "Privzete lastnosti", + "Default shape properties": "Privzete možnosti oblike", "Default zoom level": "Privzeta raven približanja", "Default: name": "Privzeto: ime", + "Define link to open in a new window on polygon click.": "Določitev povezave za odpiranje v novem oknu ob kliku na mnogokotnik.", + "Delay between two transitions when in play mode": "Zamik med prehodi v načinu predvajanja", + "Delete": "Izbriši", + "Delete all layers": "Izbriši vse plasti", + "Delete layer": "Izbriši plast", + "Delete this feature": "Izbriši ta predmet", + "Delete this property on all the features": "Izbriši lastnost pri vseh vstavljenih predmetih", + "Delete this shape": "Izbriši ta predmet", + "Delete this vertex (Alt+Click)": "Izbriši to točko (Alt+Klik)", + "Directions from here": "Navigacija od tu", + "Disable editing": "Onemogoči urejanje", "Display label": "Pokaži oznako", + "Display measure": "Pokaži merilo", + "Display on load": "Prikaži ob nalaganju", "Display the control to open OpenStreetMap editor": "Pokaži gumb za odpiranje urejevalnika OpenstreetMap", "Display the data layers control": "Pokaži gumb za nadzor podatkov plasti", "Display the embed control": "Pokaži gumb za vstavljanje predmetov", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Ali želite pokazati naslovno vrstico?", "Do you want to display a minimap?": "Ali želite prikazati mini zemljevid?", "Do you want to display a panel on load?": "Ali želite pokazati bočno okno ob zagonu?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Ali želite prikazati pojavno okno noge?", "Do you want to display the scale control?": "Ali želite prikazati gumbe merila?", "Do you want to display the «more» control?": "Ali želite pokazati orodno vrstico »več možnosti«?", - "Drop": "Kapljica", - "GeoRSS (only link)": "GeoRSS (le povezava)", - "GeoRSS (title + image)": "GeoRSS (naslov in slika)", - "Heatmap": "Vročinske točke", - "Icon shape": "Oblika ikone", - "Icon symbol": "Simbol ikone", - "Inherit": "Prevzemi", - "Label direction": "Usmerjenost oznake", - "Label key": "Oznaka", - "Labels are clickable": "Oznake so klikljive", - "None": "Brez", - "On the bottom": "Na dnu", - "On the left": "Na levi", - "On the right": "Na desni", - "On the top": "Na vrhu", - "Popup content template": "Predloga pojavne vsebine", - "Set symbol": "Set symbol", - "Side panel": "Bočno okno", - "Simplify": "Poenostavi", - "Symbol or url": "Symbol or url", - "Table": "Razpredelnica", - "always": "vedno", - "clear": "počisti", - "collapsed": "zloženo", - "color": "barva", - "dash array": "črtkano", - "define": "določi", - "description": "opis", - "expanded": "razširjeno", - "fill": "polnilo", - "fill color": "barva polnila", - "fill opacity": "prosojnost polnila", - "hidden": "skrito", - "iframe": "iframe", - "inherit": "prevzemi", - "name": "ime", - "never": "nikoli", - "new window": "novo okno", - "no": "ne", - "on hover": "on hover", - "opacity": "prosojnost", - "parent window": "glavno okno", - "stroke": "prečrtano", - "weight": "debelina", - "yes": "da", - "{delay} seconds": "{delay} sekund", - "# one hash for main heading": "# en znak za prvi glavni naslov", - "## two hashes for second heading": "## dva znaka za drugi naslov", - "### three hashes for third heading": "### trije znaki za tretji naslov", - "**double star for bold**": "**dvojna zvezdica za krepko pisavo**", - "*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 zemljevidu", - "Action not allowed :(": "Dejanje ni dovoljeno :(", - "Activate slideshow mode": "Omogoči predstavitveni način", - "Add a layer": "Dodaj plast", - "Add a line to the current multi": "Dodaj črto k trenutnemu večtočkovnemu predmetu", - "Add a new property": "Dodaj novo lastnost", - "Add a polygon to the current multi": "Dodaj mnogokotnik k trenutnemu večtočkovnemu predmetu", - "Advanced actions": "Napredna dejanja", - "Advanced properties": "Napredne nastavitve", - "Advanced transition": "Napredni prehodi", - "All properties are imported.": "Vse lastnosti so uvožene.", - "Allow interactions": "Dovoli interakcije", - "An error occured": "Prišlo je do napake", - "Are you sure you want to cancel your changes?": "Ali ste prepričani, da želite preklicati spremembe?", - "Are you sure you want to clone this map and all its datalayers?": "Ali ste prepričani, da želite klonirati ta zemljevid in vse njegove podatkovne plasti?", - "Are you sure you want to delete the feature?": "Ali ste prepričani, da želite izbrisati to možnost?", - "Are you sure you want to delete this layer?": "Ali ste prepričani, da želite izbrisati to plast?", - "Are you sure you want to delete this map?": "Ali ste prepričani, da želite izbrisati ta zemljevid?", - "Are you sure you want to delete this property on all the features?": "Ali res želite izbrisati to lastnost pri vseh vstavljenih predmetih?", - "Are you sure you want to restore this version?": "Ali res želite obnoviti to različico?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Samodejno", - "Autostart when map is loaded": "Samodejno zaženi, ko je zemljevid naložen", - "Bring feature to center": "Postavi predmet v središče", - "Browse data": "Prebrskaj podatke", - "Cancel edits": "Prekliči urajanje", - "Center map on your location": "Postavi trenutno točko v središče zemljevida", - "Change map background": "Zamenjaj ozadje zemljevida", - "Change tilelayers": "Spremeni plasti", - "Choose a preset": "Izbor prednastavitev", - "Choose the format of the data to import": "Izbor oblike zapisa podatkov za uvoz", - "Choose the layer to import in": "Izbor plasti za uvoz podatkov", - "Click last point to finish shape": "Kliknite na zadnjo točko za dokončanje risanja oblike", - "Click to add a marker": "Kliknite za dodajanje označbe", - "Click to continue drawing": "Kliknite za nadaljevanje risanja", - "Click to edit": "Kliknite za urejanje", - "Click to start drawing a line": "Kliknite za začetek risanja črte", - "Click to start drawing a polygon": "Kliknite za začetek risanja mnogokotnika", - "Clone": "Kloniraj", - "Clone of {name}": "Klon zemljevida {name}", - "Clone this feature": "Kloniraj predmet", - "Clone this map": "Kloniraj zemljevid", - "Close": "Zapri", - "Clustering radius": "Radij zbranega omgočja", - "Comma separated list of properties to use when filtering features": "Z vejico ločen seznam lastnosti, uporabljenimi med filtriranjem predmetov", - "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.": "Z vejico, tabulatorjem ali podpičjem ločene vrednosti, nakazane prek SRS WGS84. Uvoženi so le točkovni podatki. Med uvozom bo preiskan stolpec glav za podatke geografske »širine« in«dolžine«, neupoštevajoč velikost pisave. Vsi ostali stolpci bodo uvoženi kot lastnosti predmetov.", - "Continue line": "Nadaljuj z risanjem črte", - "Continue line (Ctrl+Click)": "Nadaljuj s črto (Ctrl+Klik)", - "Coordinates": "Koordinate", - "Credits": "Zasluge", - "Current view instead of default map view?": "Ali želite omogočiti trenutni pogled namesto privzetega pogleda zemljevida?", - "Custom background": "Ozadje po meri", - "Data is browsable": "Podatke je mogoče brskati", - "Default interaction options": "Privzete možnosti interakcije", - "Default properties": "Privzete lastnosti", - "Default shape properties": "Privzete možnosti oblike", - "Define link to open in a new window on polygon click.": "Določitev povezave za odpiranje v novem oknu ob kliku na mnogokotnik.", - "Delay between two transitions when in play mode": "Zamik med prehodi v načinu predvajanja", - "Delete": "Izbriši", - "Delete all layers": "Izbriši vse plasti", - "Delete layer": "Izbriši plast", - "Delete this feature": "Izbriši ta predmet", - "Delete this property on all the features": "Izbriši lastnost pri vseh vstavljenih predmetih", - "Delete this shape": "Izbriši ta predmet", - "Delete this vertex (Alt+Click)": "Izbriši to točko (Alt+Klik)", - "Directions from here": "Navigacija od tu", - "Disable editing": "Onemogoči urejanje", - "Display measure": "Pokaži merilo", - "Display on load": "Prikaži ob nalaganju", "Download": "Prenos", "Download data": "Prejmi podatke", "Drag to reorder": "Potegni za prerazvrstitev", @@ -159,6 +125,7 @@ "Draw a marker": "Nariši označbo", "Draw a polygon": "Nariši mnogokotnik", "Draw a polyline": "Nariši črto v več koleni", + "Drop": "Kapljica", "Dynamic": "Dinamično", "Dynamic properties": "Dinamične lastnosti", "Edit": "Uredi", @@ -172,23 +139,31 @@ "Embed the map": "Vstavi zemljevid", "Empty": "Prazno", "Enable editing": "Omogoči urejanje", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Napaka v naslovu URL plasti", "Error while fetching {url}": "Napaka pridobivanja naslova URL {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Končaj celozaslonski način", "Extract shape to separate feature": "Izloči obliko v ločen predmet", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Pridobi podatke vsakič, ko se spremeni pogled zemljevida.", "Filter keys": "Filtri", "Filter…": "Filter ...", "Format": "zapis", "From zoom": "Iz približanja", "Full map data": "Polni podatki zemljevida", + "GeoRSS (only link)": "GeoRSS (le povezava)", + "GeoRSS (title + image)": "GeoRSS (naslov in slika)", "Go to «{feature}»": "Skoči na »{feature}«", + "Heatmap": "Vročinske točke", "Heatmap intensity property": "Lastnosti jakosti vročinskih točk", "Heatmap radius": "Radij vročinskih točk", "Help": "Pomoč", "Hide controls": "Skrij orodja", "Home": "Začetna stran", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Kako močno naj bodo poenostavljene prte na posamezni ravni približanja (močno = boljše delovanje in prijetnejši videz ali malo = bolj natančen prikaz)", + "Icon shape": "Oblika ikone", + "Icon symbol": "Simbol ikone", "If false, the polygon will act as a part of the underlying map.": "Neizbrana možnost določa, da bo mnogokotnik obravnavan kot del zemljevida.", "Iframe export options": "Možnosti izvoza v iFrame", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Predmet Iframe z višino po meri (v točkah): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Uvozi v novo plast", "Imports all umap data, including layers and settings.": "Uvozi vse podatke umap, vključno s plastmi in nastavitvami.", "Include full screen link?": "Ali želite vključiti povezavo do celozaslonskega prikaza?", + "Inherit": "Prevzemi", "Interaction options": "Možnosti interakcije", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Neveljavni podatki umap", "Invalid umap data in {filename}": "Neveljavni podatki umap v datoteki {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Ohrani trenutno vidne plasti", + "Label direction": "Usmerjenost oznake", + "Label key": "Oznaka", + "Labels are clickable": "Oznake so klikljive", "Latitude": "Geografska širina", "Layer": "Plast", "Layer properties": "Lastnosti plasti", @@ -225,20 +206,39 @@ "Merge lines": "Združi črte", "More controls": "Več orodij", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Vrednost mora biti skladna z zapisom CSS (na primer: DarkBlue ali #123456)", + "No cache": "No cache", "No licence has been set": "Ni določenega dovoljenja za uporabo", "No results": "Ni zadetkov", + "No results for these filters": "No results for these filters", + "None": "Brez", + "On the bottom": "Na dnu", + "On the left": "Na levi", + "On the right": "Na desni", + "On the top": "Na vrhu", "Only visible features will be downloaded.": "Prejeti bodo le vidni predmeti.", + "Open current feature on load": "Open current feature on load", "Open download panel": "Open download panel", "Open link in…": "Odpri povezavo v ...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Odpri obseg zemljevida v urejevalniku za prenos podrobnejših podatkov na OpenStreetMap.", "Optional intensity property for heatmap": "Izbirna lastnost jakosti vročinskih točke", + "Optional.": "Optional.", "Optional. Same as color if not set.": "Izbirno. Enako, kot nedoločena barva.", "Override clustering radius (default 80)": "Prekliči radij združevanja (privzeto 80)", "Override heatmap radius (default 25)": "Prekliči radij vročinskih točk (privzeto 25)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Prepričajte se, da je zemljevid uporabljen v skladu z dovoljenjem.", "Please choose a format": "Izbrati je treba zapis", "Please enter the name of the property": "Ime lastnosti", "Please enter the new name of this property": "Novo ime lastnosti", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Predloga pojavne vsebine", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Zasnovano na orodjih Leaflet in Django, združeno pri projektu uMap.", "Problem in the response": "Napaka v odzivu", "Problem in the response format": "Napaka v zapisu odziva", @@ -262,12 +262,17 @@ "See all": "Pokaži vse", "See data layers": "See data layers", "See full screen": "Pokaži v celozaslonskem načinu", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Neizbrana možnost skrije plast med predstavitvijo, v pregledovalniku podatkov, ...", + "Set symbol": "Set symbol", "Shape properties": "Lastnosti oblike", "Short URL": "Skrajšan naslov URL", "Short credits": "Kratek zapis zaslug", "Show/hide layer": "Pokaži / Skrij plast", + "Side panel": "Bočno okno", "Simple link: [[http://example.com]]": "Enostavna povezava: [[http://primer.com]]", + "Simplify": "Poenostavi", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Predstavitev", "Smart transitions": "Pametni prehodi", "Sort key": "Razvrščanje", @@ -280,10 +285,13 @@ "Supported scheme": "Podprta shema", "Supported variables that will be dynamically replaced": "Podprte spremenljivke, ki bodo dinamično zamenjane", "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.", + "Symbol or url": "Symbol or url", "TMS format": "Zapis TMS", + "Table": "Razpredelnica", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", @@ -310,6 +318,7 @@ "Who can edit": "Kdo lahko ureja", "Who can view": "Kdo lahko vidi", "Will be displayed in the bottom right corner of the map": "Prikazan bo v spodnjem desnem kotu zemljevida", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "Will be visible in the caption of the map": "Prikazan bo v naslovu zemljevida", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Opa! Nekdo drug je najverjetneje urejal podatke. Spremembe lahko vseeno shranite, vendar bo to prepisalo spremembe, ustvarjene s strani drugih urednikov.", "You have unsaved changes.": "Zaznane so neshranjene spremembe.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Približaj na predhodno točko", "Zoom to this feature": "Približaj k predmetu", "Zoom to this place": "Približaj na to mesto", + "always": "vedno", "attribution": "pripisovanje", "by": "–", + "clear": "počisti", + "collapsed": "zloženo", + "color": "barva", + "dash array": "črtkano", + "define": "določi", + "description": "opis", "display name": "prikazno ime", + "expanded": "razširjeno", + "fill": "polnilo", + "fill color": "barva polnila", + "fill opacity": "prosojnost polnila", "height": "višina", + "hidden": "skrito", + "iframe": "iframe", + "inherit": "prevzemi", "licence": "dovoljenje", "max East": "najbolj vzhodno", "max North": "najbolj severno", @@ -332,10 +355,21 @@ "max West": "najbolj zahodno", "max zoom": "največje približanje", "min zoom": "največje oddaljanje", + "name": "ime", + "never": "nikoli", + "new window": "novo okno", "next": "naslednji", + "no": "ne", + "on hover": "on hover", + "opacity": "prosojnost", + "parent window": "glavno okno", "previous": "predhodni", + "stroke": "prečrtano", + "weight": "debelina", "width": "širina", + "yes": "da", "{count} errors during import: {message}": "Zaznane so napake ({count}) med uvozom: {message}", + "{delay} seconds": "{delay} sekund", "Measure distances": "Merjenje razdalj", "NM": "NM", "kilometers": "kilometri", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "milje", "nautical miles": "navtične milje", - "{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 dan", - "1 hour": "1 ura", - "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 0ec4ca29..0a973648 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "-- за хоризонталну црту", + "1 day": "1 дан", + "1 hour": "1 сат", + "5 min": "5 минута", + "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": "Активирајте режим презентације", + "Add a layer": "Додај лејер", + "Add a line to the current multi": "Додајте линију тренутном мулти", + "Add a new property": "Додајте нови ентитет", + "Add a polygon to the current multi": "Додајте полигон тренутном мулти", "Add symbol": "Додај симбол", + "Advanced actions": "Напредне акције", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Напредне поставке", + "Advanced transition": "Напредна транзиција", + "All properties are imported.": "Све поставке су увезене", + "Allow interactions": "Дозволи интеракције", "Allow scroll wheel zoom?": "Допусти увећање зумом миша", + "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": "Аутоматски", "Automatic": "Аутоматско", + "Autostart when map is loaded": "Аутоматски покрени када се мапа учита", + "Background overlay url": "Background overlay url", "Ball": "Лопта", + "Bring feature to center": "Центрирај елемент", + "Browse data": "Претражи податке", + "Cache proxied request": "Cache proxied request", "Cancel": "Откажи", + "Cancel edits": "Откажи промене", "Caption": "Напомена", + "Center map on your location": "Центрирај мапу на основу локације", + "Change map background": "Промени позадину карте", "Change symbol": "Промени симбол", + "Change tilelayers": "Промени наслов лејера", + "Choose a preset": "Изаберите претходно подешавање", "Choose the data format": "Одабери формат датума", + "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer of the feature": "Одабери лејер", + "Choose the layer to import in": "Одабери лејер за увоз", "Circle": "Круг", + "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": "Клик да започнете цртање површине", + "Clone": "Клон", + "Clone of {name}": "Клон од {име}", + "Clone this feature": "Дуплирај елемент", + "Clone this map": "Дуплирај мапу", + "Close": "Затвори", "Clustered": "Груписање", + "Clustering radius": "Радијус кластера", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", + "Continue line": "Наставите линију", + "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", + "Coordinates": "Координате", + "Credits": "Заслуга", + "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", + "Custom background": "Одаберите позадину", + "Custom overlay": "Custom overlay", "Data browser": "Претражи податке", + "Data filters": "Data filters", + "Data is browsable": "Подаци се могу прегледати", "Default": "Фабричка подешавања", + "Default interaction options": "Подразумеване могућности интеракције", + "Default properties": "Фабричке вредности", + "Default shape properties": "Подразумевана својства облика", "Default zoom level": "Подразумевани ниво зумирања", "Default: name": "Фабричко: Име", + "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 property on all the features": "Обриши наведени ентитет на свим функцијама", + "Delete this shape": "Обриши облик", + "Delete this vertex (Alt+Click)": "Обриши овај врх (Alt+Click)", + "Directions from here": "Упутства одавде", + "Disable editing": "Онемогући уређивање", "Display label": "Прикажи ознаку", + "Display measure": "Мера приказа", + "Display on load": "Приказ при учитавању", "Display the control to open OpenStreetMap editor": "Прикажи контролу да бисте отворили OpenStreetMap уређивач", "Display the data layers control": "Прикажи контролу слојева података", "Display the embed control": "Прикажи уграђену контролу", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Heatmap", - "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": "Шаблон за садржај искачућег прозора", - "Set symbol": "Постави симбол", - "Side panel": "Бочни панел", - "Simplify": "Поједноставити", - "Symbol or url": "Симбол или url", - "Table": "Табела", - "always": "увек", - "clear": "очисти", - "collapsed": "срушено", - "color": "боја", - "dash array": "цртица низ", - "define": "дефиниши", - "description": "опис", - "expanded": "проширен", - "fill": "испуна", - "fill color": "боја испуне", - "fill opacity": "прозирност испуне", - "hidden": "сакриј", - "iframe": "облик", - "inherit": "наследити", - "name": "име", - "never": "никад", - "new window": "нови прозор", - "no": "не", - "on hover": "на лебдећи", - "opacity": "прозирност", - "parent window": "искачући прозор", - "stroke": "линија", - "weight": "дебљина", - "yes": "да", - "{delay} seconds": "{губици} секунди", - "# 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\".", - "About": "Више о", - "Action not allowed :(": "Акција није дозвољена :(", - "Activate slideshow mode": "Активирајте режим презентације", - "Add a layer": "Додај лејер", - "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": "Закачи мапу на мој налог.", - "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": "Клик да наставите са цртањем", - "Click to edit": "Клик за уређивање", - "Click to start drawing a line": "Клик да започнете цртање линије", - "Click to start drawing a polygon": "Клик да започнете цртање површине", - "Clone": "Клон", - "Clone of {name}": "Клон од {име}", - "Clone this feature": "Дуплирај елемент", - "Clone this map": "Дуплирај мапу", - "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", - "Continue line": "Наставите линију", - "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", - "Coordinates": "Координате", - "Credits": "Заслуга", - "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", - "Custom background": "Одаберите позадину", - "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": "Обриши", - "Delete all layers": "Обриши све лејере", - "Delete layer": "Обриши лејер", - "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": "Приказ при учитавању", "Download": "Преузимање", "Download data": "Преузимање података", "Drag to reorder": "Превуците за промену редоследа", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Цртање ознаке", "Draw a polygon": "Цртање површине", "Draw a polyline": "Цртање изломљене линије", + "Drop": "Избаци", "Dynamic": "Динамично", "Dynamic properties": "Динамично подешавање", "Edit": "Уређивање", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Омогући уређивање", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Умањи увећање", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Филтер", "Format": "Формат", "From zoom": "From zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (само линк)", + "GeoRSS (title + image)": "GeoRSS (наслов+ слика)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Помоћ", "Hide controls": "Сакриј контроле", "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)", + "Icon shape": "Облик иконе", + "Icon symbol": "Икона симбола", "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}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Увези у новом лејеру", "Imports all umap data, including layers and settings.": "Увези све податке из мапе, укључујући лејере и подешавања", "Include full screen link?": "Include full screen link?", + "Inherit": "Наслеђено", "Interaction options": "Опција интеракције", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Смер ознаке", + "Label key": "Кључ ознаке", + "Labels are clickable": "На ознаке је могуће кликнути", "Latitude": "Latitude", "Layer": "Лејер", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Merge lines", "More controls": "Више опција", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "Нема кеша", "No licence has been set": "Лиценца није постављена", "No results": "Нема резултата", + "No results for these filters": "No results for these filters", + "None": "Ништа", + "On the bottom": "На дну", + "On the left": "На лево", + "On the right": "На десно", + "On the top": "На врху", "Only visible features will be downloaded.": "Само видљиви лејери ће бити скинути.", + "Open current feature on load": "Отворите тренутну функцију при учитавању", "Open download panel": "Отвори прозор са скидање", "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.": "Опционо", "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)", + "Paste your data here": "Прикачите Ваше податке овде", + "Permalink": "Трајни линк", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Молимо Вас уверите се да је лиценца компатибилна.", "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", + "Please save the map first": "Молимо Вас сачувајте мапу претходно", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Искачући стил", + "Popup content template": "Шаблон за садржај искачућег прозора", + "Popup shape": "Искачући облик", "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": "Проблем у препознавању формата", @@ -262,12 +262,17 @@ var locale = { "See all": "Види све", "See data layers": "Прикажи унесене податке", "See full screen": "Увећана слика", + "Select data": "Select data", "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…", + "Set symbol": "Постави симбол", "Shape properties": "Својства облика", "Short URL": "Кратки URL", "Short credits": "Short credits", "Show/hide layer": "Прикажи/сакриј лејер", + "Side panel": "Бочни панел", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Поједноставити", + "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Симбол или url", "TMS format": "TMS format", + "Table": "Табела", "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 name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", "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": "Увећај", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Увећај одабрано", "Zoom to this place": "Zoom to this place", + "always": "увек", "attribution": "attribution", "by": "by", + "clear": "очисти", + "collapsed": "срушено", + "color": "боја", + "dash array": "цртица низ", + "define": "дефиниши", + "description": "опис", "display name": "display name", + "expanded": "проширен", + "fill": "испуна", + "fill color": "боја испуне", + "fill opacity": "прозирност испуне", "height": "висина", + "hidden": "сакриј", + "iframe": "облик", + "inherit": "наследити", "licence": "лиценца", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "максимално увећање", "min zoom": "минимално увећање", + "name": "име", + "never": "никад", + "new window": "нови прозор", "next": "следеће", + "no": "не", + "on hover": "на лебдећи", + "opacity": "прозирност", + "parent window": "искачући прозор", "previous": "претходно", + "stroke": "линија", + "weight": "дебљина", "width": "дебљина", + "yes": "да", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{губици} секунди", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "километри", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "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 дан", - "1 hour": "1 сат", - "5 min": "5 минута", - "Cache proxied request": "Cache proxied request", - "No cache": "Нема кеша", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Искачући стил", - "Popup shape": "Искачући облик", - "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", - "Optional.": "Опционо", - "Paste your data here": "Прикачите Ваше податке овде", - "Please save the map first": "Молимо Вас сачувајте мапу претходно", - "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", - "Open current feature on load": "Отворите тренутну функцију при учитавању", - "Permalink": "Трајни линк", - "The name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("sr", locale); L.setLocale("sr"); \ No newline at end of file diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index dc1a2e2a..a91d8d40 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "-- за хоризонталну црту", + "1 day": "1 дан", + "1 hour": "1 сат", + "5 min": "5 минута", + "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": "Активирајте режим презентације", + "Add a layer": "Додај лејер", + "Add a line to the current multi": "Додајте линију тренутном мулти", + "Add a new property": "Додајте нови ентитет", + "Add a polygon to the current multi": "Додајте полигон тренутном мулти", "Add symbol": "Додај симбол", + "Advanced actions": "Напредне акције", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Напредне поставке", + "Advanced transition": "Напредна транзиција", + "All properties are imported.": "Све поставке су увезене", + "Allow interactions": "Дозволи интеракције", "Allow scroll wheel zoom?": "Допусти увећање зумом миша", + "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": "Аутоматски", "Automatic": "Аутоматско", + "Autostart when map is loaded": "Аутоматски покрени када се мапа учита", + "Background overlay url": "Background overlay url", "Ball": "Лопта", + "Bring feature to center": "Центрирај елемент", + "Browse data": "Претражи податке", + "Cache proxied request": "Cache proxied request", "Cancel": "Откажи", + "Cancel edits": "Откажи промене", "Caption": "Напомена", + "Center map on your location": "Центрирај мапу на основу локације", + "Change map background": "Промени позадину карте", "Change symbol": "Промени симбол", + "Change tilelayers": "Промени наслов лејера", + "Choose a preset": "Изаберите претходно подешавање", "Choose the data format": "Одабери формат датума", + "Choose the format of the data to import": "Изаберите формат података за увоз", "Choose the layer of the feature": "Одабери лејер", + "Choose the layer to import in": "Одабери лејер за увоз", "Circle": "Круг", + "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": "Клик да започнете цртање површине", + "Clone": "Клон", + "Clone of {name}": "Клон од {име}", + "Clone this feature": "Дуплирај елемент", + "Clone this map": "Дуплирај мапу", + "Close": "Затвори", "Clustered": "Груписање", + "Clustering radius": "Радијус кластера", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", + "Continue line": "Наставите линију", + "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", + "Coordinates": "Координате", + "Credits": "Заслуга", + "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", + "Custom background": "Одаберите позадину", + "Custom overlay": "Custom overlay", "Data browser": "Претражи податке", + "Data filters": "Data filters", + "Data is browsable": "Подаци се могу прегледати", "Default": "Фабричка подешавања", + "Default interaction options": "Подразумеване могућности интеракције", + "Default properties": "Фабричке вредности", + "Default shape properties": "Подразумевана својства облика", "Default zoom level": "Подразумевани ниво зумирања", "Default: name": "Фабричко: Име", + "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 property on all the features": "Обриши наведени ентитет на свим функцијама", + "Delete this shape": "Обриши облик", + "Delete this vertex (Alt+Click)": "Обриши овај врх (Alt+Click)", + "Directions from here": "Упутства одавде", + "Disable editing": "Онемогући уређивање", "Display label": "Прикажи ознаку", + "Display measure": "Мера приказа", + "Display on load": "Приказ при учитавању", "Display the control to open OpenStreetMap editor": "Прикажи контролу да бисте отворили OpenStreetMap уређивач", "Display the data layers control": "Прикажи контролу слојева података", "Display the embed control": "Прикажи уграђену контролу", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Heatmap", - "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": "Шаблон за садржај искачућег прозора", - "Set symbol": "Постави симбол", - "Side panel": "Бочни панел", - "Simplify": "Поједноставити", - "Symbol or url": "Симбол или url", - "Table": "Табела", - "always": "увек", - "clear": "очисти", - "collapsed": "срушено", - "color": "боја", - "dash array": "цртица низ", - "define": "дефиниши", - "description": "опис", - "expanded": "проширен", - "fill": "испуна", - "fill color": "боја испуне", - "fill opacity": "прозирност испуне", - "hidden": "сакриј", - "iframe": "облик", - "inherit": "наследити", - "name": "име", - "never": "никад", - "new window": "нови прозор", - "no": "не", - "on hover": "на лебдећи", - "opacity": "прозирност", - "parent window": "искачући прозор", - "stroke": "линија", - "weight": "дебљина", - "yes": "да", - "{delay} seconds": "{губици} секунди", - "# 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\".", - "About": "Више о", - "Action not allowed :(": "Акција није дозвољена :(", - "Activate slideshow mode": "Активирајте режим презентације", - "Add a layer": "Додај лејер", - "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": "Закачи мапу на мој налог.", - "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": "Клик да наставите са цртањем", - "Click to edit": "Клик за уређивање", - "Click to start drawing a line": "Клик да започнете цртање линије", - "Click to start drawing a polygon": "Клик да започнете цртање површине", - "Clone": "Клон", - "Clone of {name}": "Клон од {име}", - "Clone this feature": "Дуплирај елемент", - "Clone this map": "Дуплирај мапу", - "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.": "Вредности одвојене зарезима, табом или новим редом. Подразумева се SRS WGS84. Увозе се само тачке геометрије. Увоз ће погледати заглавља ступаца за било које спомињање «лат» и «лон» на почетку заглавља, осетљив на велика и мала слова. Све друге колоне се увозе као својства.", - "Continue line": "Наставите линију", - "Continue line (Ctrl+Click)": "Наставите линију(Ctrl+Click)", - "Coordinates": "Координате", - "Credits": "Заслуга", - "Current view instead of default map view?": "Тренутни приказ уместо подразумеваног приказа мапе?", - "Custom background": "Одаберите позадину", - "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": "Обриши", - "Delete all layers": "Обриши све лејере", - "Delete layer": "Обриши лејер", - "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": "Приказ при учитавању", "Download": "Преузимање", "Download data": "Преузимање података", "Drag to reorder": "Превуците за промену редоследа", @@ -159,6 +125,7 @@ "Draw a marker": "Цртање ознаке", "Draw a polygon": "Цртање површине", "Draw a polyline": "Цртање изломљене линије", + "Drop": "Избаци", "Dynamic": "Динамично", "Dynamic properties": "Динамично подешавање", "Edit": "Уређивање", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Омогући уређивање", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Умањи увећање", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Филтер", "Format": "Формат", "From zoom": "From zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (само линк)", + "GeoRSS (title + image)": "GeoRSS (наслов+ слика)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Помоћ", "Hide controls": "Сакриј контроле", "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)", + "Icon shape": "Облик иконе", + "Icon symbol": "Икона симбола", "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}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Увези у новом лејеру", "Imports all umap data, including layers and settings.": "Увези све податке из мапе, укључујући лејере и подешавања", "Include full screen link?": "Include full screen link?", + "Inherit": "Наслеђено", "Interaction options": "Опција интеракције", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Смер ознаке", + "Label key": "Кључ ознаке", + "Labels are clickable": "На ознаке је могуће кликнути", "Latitude": "Latitude", "Layer": "Лејер", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "Merge lines": "Merge lines", "More controls": "Више опција", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "Нема кеша", "No licence has been set": "Лиценца није постављена", "No results": "Нема резултата", + "No results for these filters": "No results for these filters", + "None": "Ништа", + "On the bottom": "На дну", + "On the left": "На лево", + "On the right": "На десно", + "On the top": "На врху", "Only visible features will be downloaded.": "Само видљиви лејери ће бити скинути.", + "Open current feature on load": "Отворите тренутну функцију при учитавању", "Open download panel": "Отвори прозор са скидање", "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.": "Опционо", "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)", + "Paste your data here": "Прикачите Ваше податке овде", + "Permalink": "Трајни линк", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Молимо Вас уверите се да је лиценца компатибилна.", "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", + "Please save the map first": "Молимо Вас сачувајте мапу претходно", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Искачући стил", + "Popup content template": "Шаблон за садржај искачућег прозора", + "Popup shape": "Искачући облик", "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": "Проблем у препознавању формата", @@ -262,12 +262,17 @@ "See all": "Види све", "See data layers": "Прикажи унесене податке", "See full screen": "Увећана слика", + "Select data": "Select data", "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…", + "Set symbol": "Постави симбол", "Shape properties": "Својства облика", "Short URL": "Кратки URL", "Short credits": "Short credits", "Show/hide layer": "Прикажи/сакриј лејер", + "Side panel": "Бочни панел", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Поједноставити", + "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Симбол или url", "TMS format": "TMS format", + "Table": "Табела", "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 name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", "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": "Увећај", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Увећај одабрано", "Zoom to this place": "Zoom to this place", + "always": "увек", "attribution": "attribution", "by": "by", + "clear": "очисти", + "collapsed": "срушено", + "color": "боја", + "dash array": "цртица низ", + "define": "дефиниши", + "description": "опис", "display name": "display name", + "expanded": "проширен", + "fill": "испуна", + "fill color": "боја испуне", + "fill opacity": "прозирност испуне", "height": "висина", + "hidden": "сакриј", + "iframe": "облик", + "inherit": "наследити", "licence": "лиценца", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "максимално увећање", "min zoom": "минимално увећање", + "name": "име", + "never": "никад", + "new window": "нови прозор", "next": "следеће", + "no": "не", + "on hover": "на лебдећи", + "opacity": "прозирност", + "parent window": "искачући прозор", "previous": "претходно", + "stroke": "линија", + "weight": "дебљина", "width": "дебљина", + "yes": "да", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{губици} секунди", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "километри", @@ -343,43 +377,14 @@ "mi": "mi", "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 дан", - "1 hour": "1 сат", - "5 min": "5 минута", - "Cache proxied request": "Cache proxied request", - "No cache": "Нема кеша", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Искачући стил", - "Popup shape": "Искачући облик", - "Skipping unknown geometry.type: {type}": "Прескакање непознате геометрије.type: {type}", - "Optional.": "Опционо", - "Paste your data here": "Прикачите Ваше податке овде", - "Please save the map first": "Молимо Вас сачувајте мапу претходно", - "Feature identifier key": "Тастер идентификатора функцијеFeature identifier key", - "Open current feature on load": "Отворите тренутну функцију при учитавању", - "Permalink": "Трајни линк", - "The name of the property to use as feature unique identifier.": "Назив својства који се користи као јединствени идентификатор функције.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index 3d1b3ccd..2d1106a9 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en fyrkant för huvudrubrik", + "## two hashes for second heading": "## två fyrkanter för andra rubrik", + "### three hashes for third heading": "### tre fyrkanter för tredje rubrik", + "**double star for bold**": "**dubbla stjärntecken för fetstil**", + "*simple star for italic*": "*enkel stjärna för kursiv stil*", + "--- for an horizontal rule": "--- för ett vågrätt streck", + "1 day": "1 dag", + "1 hour": "1 timme", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommaseparerad lista med nummer som definierar mönstret för den streckade linjen. Ex: \"5, 10, 15\"", + "About": "Om kartan", + "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": "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", "Add symbol": "Lägg till symbol", + "Advanced actions": "Avancerade åtgärder", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avancerade egenskaper", + "Advanced transition": "Avancerad övergång", + "All properties are imported.": "Alla attribut importeras.", + "Allow interactions": "Tillåt interaktion", "Allow scroll wheel zoom?": "Tillåt zoom med musens rullhjul?", + "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?", + "Are you sure you want to clone this map and all its datalayers?": "Är du säker på att du vill skapa en kopia av kartan och alla datalager?", + "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?": "Ä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", "Automatic": "Automatisk", + "Autostart when map is loaded": "Starta automatiskt när kartan lästs in.", + "Background overlay url": "Background overlay url", "Ball": "Knappnål", + "Bring feature to center": "Centrera objektet", + "Browse data": "Bläddra i datat", + "Cache proxied request": "Cachelagra proxyförfrågan", "Cancel": "Avbryt", + "Cancel edits": "Avbryt ändringar", "Caption": "Sidfotsfält", + "Center map on your location": "Centrera kartan till din plats", + "Change map background": "Ändra kartbakgrund", "Change symbol": "Ändra symbol", + "Change tilelayers": "Byt bakgrundskarta", + "Choose a preset": "Välj förinställning", "Choose the data format": "Välj dataformat", + "Choose the format of the data to import": "Välj dataformat för importen", "Choose the layer of the feature": "Välj lager för objektet", + "Choose the layer to import in": "Välj lager att importera till", "Circle": "Cirkel", + "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": "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": "Duplicera", + "Clone of {name}": "Kopia av {name}", + "Clone this feature": "Kopiera detta objekt", + "Clone this map": "Skapa en kopia av kartan", + "Close": "Stäng", "Clustered": "Kluster", + "Clustering radius": "Klusterradie", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "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", + "Custom overlay": "Custom overlay", "Data browser": "Databläddrare", + "Data filters": "Data filters", + "Data is browsable": "Data är tillgängligt för bläddring", "Default": "Förvalt värde", + "Default interaction options": "Förinställda alternativ för interaktion", + "Default properties": "Standardegenskaper", + "Default shape properties": "Förinställda formategenskaper", "Default zoom level": "Förvald zoomnivå", "Default: name": "Namn förvalt", + "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": "Radera figuren", + "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", + "Directions from here": "Vägbeskrivning härifrån", + "Disable editing": "Inaktivera redigering", "Display label": "Visa etikett", + "Display measure": "Visa mått", + "Display on load": "Visa vid uppstart", "Display the control to open OpenStreetMap editor": "Visa knapp för att öppna OpenStreetMap redigerare", "Display the data layers control": "Visa verktyg för datalager", "Display the embed control": "Visa verktyg för att bädda in och dela", @@ -27,131 +114,10 @@ var locale = { "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?": "Vill du visa en panel vid uppstart?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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 (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": "Etikettnyckel", - "Labels are clickable": "Klickbara etiketter", - "None": "Ingen", - "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 eller URL", - "Table": "Tabell", - "always": "alltid", - "clear": "återställ", - "collapsed": "minimerad", - "color": "färg", - "dash array": "streckad linje-stil", - "define": "anpassa", - "description": "beskrivning", - "expanded": "utökad", - "fill": "fyll", - "fill color": "fyllnadsfärg", - "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": "synlighet", - "parent window": "föräldrafönster", - "stroke": "streck", - "weight": "tjocklek", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# en fyrkant för huvudrubrik", - "## two hashes for second heading": "## två fyrkanter för andra rubrik", - "### three hashes for third heading": "### tre fyrkanter för tredje rubrik", - "**double star for bold**": "**dubbla stjärntecken för fetstil**", - "*simple star for italic*": "*enkel stjärna för kursiv stil*", - "--- for an horizontal rule": "--- för ett vågrätt streck", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommaseparerad lista med nummer som definierar mönstret för den streckade linjen. Ex: \"5, 10, 15\"", - "About": "Om kartan", - "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": "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 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?", - "Are you sure you want to clone this map and all its datalayers?": "Är du säker på att du vill skapa en kopia av kartan och alla datalager?", - "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?": "Ä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": "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": "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": "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": "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 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": "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 är tillgängligt för bläddring", - "Default interaction options": "Förinställda alternativ för interaktion", - "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": "Radera figuren", - "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", - "Directions from here": "Vägbeskrivning härifrån", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Rita en markör", "Draw a polygon": "Rita en polygon", "Draw a polyline": "Rita en multilinje", + "Drop": "Dropp-nål", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiska egenskaper", "Edit": "Redigera", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Bädda in kartan", "Empty": "Töm", "Enable editing": "Aktivera redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fel i webbadressen för bakgrundskartan (tile-lagret)", "Error while fetching {url}": "Fel vid hämtning av {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Lämna helskärmsläge", "Extract shape to separate feature": "Extrahera figuren till separat objekt", + "Feature identifier key": "Unik nyckel för 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": "Komplett kartdata", + "GeoRSS (only link)": "GeoRSS (enbart länk)", + "GeoRSS (title + image)": "GeoRSS (titel + bild)", "Go to «{feature}»": "Gå till «{feature}»", + "Heatmap": "Värmekarta", "Heatmap intensity property": "Värmekartans intensitet", "Heatmap radius": "Värmekartans radie", "Help": "Hjälp", "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)": "Hur mycket ska polygoner och multilinjer förenklas vid olika zoom-nivåer? (Mer = bättre prestanda och mjukare utseende, Mindre = mer exakt)", + "Icon shape": "Ikonform", + "Icon symbol": "Ikonsymbol", "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}}}", @@ -201,10 +176,16 @@ var locale = { "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?", + "Inherit": "Ärv", "Interaction options": "Alternativ för interaktion", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ogiltigt uMap-data", "Invalid umap data in {filename}": "Ogiltigt uMap-data i {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Bevara nuvarande synliga lager", + "Label direction": "Riktning för etikett", + "Label key": "Etikettnyckel", + "Labels are clickable": "Klickbara etiketter", "Latitude": "Latitud", "Layer": "Lager", "Layer properties": "Lageregenskaper", @@ -225,20 +206,39 @@ var locale = { "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 cache": "Ingen cache", "No licence has been set": "Ingen licens har valts.", "No results": "Inga träffar tyvärr. Har du stavat rätt?", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "Under", + "On the left": "Till vänster", + "On the right": "Till höger", + "On the top": "Ovanför", "Only visible features will be downloaded.": "Endast synliggjorda kartobjekt kommer att laddas ner.", + "Open current feature on load": "Öppna nuvarande objekt vid uppstart", "Open download panel": "Öppna nedladdningspanelen", "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.": "Valfri.", "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)", + "Paste your data here": "Klistra in data här", + "Permalink": "Permanent länk", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Spara kartan först, tack 😉", + "Popup": "Popup", + "Popup (large)": "Popup (stor)", + "Popup content style": "Innehållsstil för popupfönster", + "Popup content template": "Mall för popup-innehåll", + "Popup shape": "Popup format", "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": "Fel format i serversvaret", @@ -262,12 +262,17 @@ var locale = { "See all": "Se alla", "See data layers": "Visa datalager", "See full screen": "Öppna i fullskärm", + "Select data": "Select data", "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", + "Set symbol": "Välj symbol", "Shape properties": "Formategenskaper", "Short URL": "Kort URL", "Short credits": "Upphov och erkännanden (kort)", "Show/hide layer": "Visa/dölj lager", + "Side panel": "Sidopanel", "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[https://www.exempel.se]]", + "Simplify": "Förenkla", + "Skipping unknown geometry.type: {type}": "Okänd geometrityp ignoreras: {type}", "Slideshow": "Bildspelsläge", "Smart transitions": "Smarta övergångar", "Sort key": "Sorteringsnyckel", @@ -280,10 +285,13 @@ var locale = { "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 \"https://minserver.org/bilder/{namn}.png\", kommer variabeln {namn} att ersättas med \"namn\"-värdet för varje objekt.", + "Symbol or url": "Symbol eller URL", "TMS format": "TMS format", + "Table": "Tabell", "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 name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")", "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)": "Att använda om fjärrservern inte tillåter gränsöverskridande domäner (långsammare)", "To zoom": "Till zoom", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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!", @@ -321,10 +330,24 @@ var locale = { "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", + "always": "alltid", "attribution": "attribution", "by": "av", + "clear": "återställ", + "collapsed": "minimerad", + "color": "färg", + "dash array": "streckad linje-stil", + "define": "anpassa", + "description": "beskrivning", "display name": "namn", + "expanded": "utökad", + "fill": "fyll", + "fill color": "fyllnadsfärg", + "fill opacity": "fyllsynlighet", "height": "höjd", + "hidden": "dold", + "iframe": "IFrame (inbäddad html-ram)", + "inherit": "ärv", "licence": "licens", "max East": "max Öst", "max North": "max Nord", @@ -332,10 +355,21 @@ var locale = { "max West": "max Väst", "max zoom": "maxgräns zoom", "min zoom": "minimigräns zoom", + "name": "namn", + "never": "aldrig", + "new window": "nytt fönster", "next": "nästa", + "no": "nej", + "on hover": "vid hovring", + "opacity": "synlighet", + "parent window": "föräldrafönster", "previous": "föregående", + "stroke": "streck", + "weight": "tjocklek", "width": "bredd", + "yes": "ja", "{count} errors during import: {message}": "{count} fel under importen: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Mät avstånd", "NM": "M", "kilometers": "kilometer", @@ -343,45 +377,16 @@ var locale = { "mi": "miles", "miles": "engelska mil", "nautical miles": "nautiska mil", - "{area} acres": "{area} acre (ung. tunnland)", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} kvadrat-mile", - "{area} yd²": "{area} kvadrat-yard", - "{distance} NM": "{distance} M", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} engelska mil", - "{distance} yd": "{distance} yard", - "1 day": "1 dag", - "1 hour": "1 timme", - "5 min": "5 min", - "Cache proxied request": "Cachelagra proxyförfrågan", - "No cache": "Ingen cache", - "Popup": "Popup", - "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 😉", - "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\")", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acre (ung. tunnland)", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} kvadrat-mile", + "{area} yd²": "{area} kvadrat-yard", + "{distance} NM": "{distance} M", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} engelska mil", + "{distance} yd": "{distance} yard" }; 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 31bd75e4..6bf4f893 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# one hash for main heading": "# en fyrkant för huvudrubrik", + "## two hashes for second heading": "## två fyrkanter för andra rubrik", + "### three hashes for third heading": "### tre fyrkanter för tredje rubrik", + "**double star for bold**": "**dubbla stjärntecken för fetstil**", + "*simple star for italic*": "*enkel stjärna för kursiv stil*", + "--- for an horizontal rule": "--- för ett vågrätt streck", + "1 day": "1 dag", + "1 hour": "1 timme", + "5 min": "5 min", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommaseparerad lista med nummer som definierar mönstret för den streckade linjen. Ex: \"5, 10, 15\"", + "About": "Om kartan", + "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": "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", "Add symbol": "Lägg till symbol", + "Advanced actions": "Avancerade åtgärder", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Avancerade egenskaper", + "Advanced transition": "Avancerad övergång", + "All properties are imported.": "Alla attribut importeras.", + "Allow interactions": "Tillåt interaktion", "Allow scroll wheel zoom?": "Tillåt zoom med musens rullhjul?", + "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?", + "Are you sure you want to clone this map and all its datalayers?": "Är du säker på att du vill skapa en kopia av kartan och alla datalager?", + "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?": "Ä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", "Automatic": "Automatisk", + "Autostart when map is loaded": "Starta automatiskt när kartan lästs in.", + "Background overlay url": "Background overlay url", "Ball": "Knappnål", + "Bring feature to center": "Centrera objektet", + "Browse data": "Bläddra i datat", + "Cache proxied request": "Cachelagra proxyförfrågan", "Cancel": "Avbryt", + "Cancel edits": "Avbryt ändringar", "Caption": "Sidfotsfält", + "Center map on your location": "Centrera kartan till din plats", + "Change map background": "Ändra kartbakgrund", "Change symbol": "Ändra symbol", + "Change tilelayers": "Byt bakgrundskarta", + "Choose a preset": "Välj förinställning", "Choose the data format": "Välj dataformat", + "Choose the format of the data to import": "Välj dataformat för importen", "Choose the layer of the feature": "Välj lager för objektet", + "Choose the layer to import in": "Välj lager att importera till", "Circle": "Cirkel", + "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": "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": "Duplicera", + "Clone of {name}": "Kopia av {name}", + "Clone this feature": "Kopiera detta objekt", + "Clone this map": "Skapa en kopia av kartan", + "Close": "Stäng", "Clustered": "Kluster", + "Clustering radius": "Klusterradie", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "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", + "Custom overlay": "Custom overlay", "Data browser": "Databläddrare", + "Data filters": "Data filters", + "Data is browsable": "Data är tillgängligt för bläddring", "Default": "Förvalt värde", + "Default interaction options": "Förinställda alternativ för interaktion", + "Default properties": "Standardegenskaper", + "Default shape properties": "Förinställda formategenskaper", "Default zoom level": "Förvald zoomnivå", "Default: name": "Namn förvalt", + "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": "Radera figuren", + "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", + "Directions from here": "Vägbeskrivning härifrån", + "Disable editing": "Inaktivera redigering", "Display label": "Visa etikett", + "Display measure": "Visa mått", + "Display on load": "Visa vid uppstart", "Display the control to open OpenStreetMap editor": "Visa knapp för att öppna OpenStreetMap redigerare", "Display the data layers control": "Visa verktyg för datalager", "Display the embed control": "Visa verktyg för att bädda in och dela", @@ -27,131 +114,10 @@ "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?": "Vill du visa en panel vid uppstart?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "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 (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": "Etikettnyckel", - "Labels are clickable": "Klickbara etiketter", - "None": "Ingen", - "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 eller URL", - "Table": "Tabell", - "always": "alltid", - "clear": "återställ", - "collapsed": "minimerad", - "color": "färg", - "dash array": "streckad linje-stil", - "define": "anpassa", - "description": "beskrivning", - "expanded": "utökad", - "fill": "fyll", - "fill color": "fyllnadsfärg", - "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": "synlighet", - "parent window": "föräldrafönster", - "stroke": "streck", - "weight": "tjocklek", - "yes": "ja", - "{delay} seconds": "{delay} sekunder", - "# one hash for main heading": "# en fyrkant för huvudrubrik", - "## two hashes for second heading": "## två fyrkanter för andra rubrik", - "### three hashes for third heading": "### tre fyrkanter för tredje rubrik", - "**double star for bold**": "**dubbla stjärntecken för fetstil**", - "*simple star for italic*": "*enkel stjärna för kursiv stil*", - "--- for an horizontal rule": "--- för ett vågrätt streck", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "En kommaseparerad lista med nummer som definierar mönstret för den streckade linjen. Ex: \"5, 10, 15\"", - "About": "Om kartan", - "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": "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 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?", - "Are you sure you want to clone this map and all its datalayers?": "Är du säker på att du vill skapa en kopia av kartan och alla datalager?", - "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?": "Ä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": "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": "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": "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": "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 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": "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 är tillgängligt för bläddring", - "Default interaction options": "Förinställda alternativ för interaktion", - "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": "Radera figuren", - "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", - "Directions from here": "Vägbeskrivning härifrån", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Rita en markör", "Draw a polygon": "Rita en polygon", "Draw a polyline": "Rita en multilinje", + "Drop": "Dropp-nål", "Dynamic": "Dynamisk", "Dynamic properties": "Dynamiska egenskaper", "Edit": "Redigera", @@ -172,23 +139,31 @@ "Embed the map": "Bädda in kartan", "Empty": "Töm", "Enable editing": "Aktivera redigering", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Fel i webbadressen för bakgrundskartan (tile-lagret)", "Error while fetching {url}": "Fel vid hämtning av {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Lämna helskärmsläge", "Extract shape to separate feature": "Extrahera figuren till separat objekt", + "Feature identifier key": "Unik nyckel för 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": "Komplett kartdata", + "GeoRSS (only link)": "GeoRSS (enbart länk)", + "GeoRSS (title + image)": "GeoRSS (titel + bild)", "Go to «{feature}»": "Gå till «{feature}»", + "Heatmap": "Värmekarta", "Heatmap intensity property": "Värmekartans intensitet", "Heatmap radius": "Värmekartans radie", "Help": "Hjälp", "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)": "Hur mycket ska polygoner och multilinjer förenklas vid olika zoom-nivåer? (Mer = bättre prestanda och mjukare utseende, Mindre = mer exakt)", + "Icon shape": "Ikonform", + "Icon symbol": "Ikonsymbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Ärv", "Interaction options": "Alternativ för interaktion", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Ogiltigt uMap-data", "Invalid umap data in {filename}": "Ogiltigt uMap-data i {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Bevara nuvarande synliga lager", + "Label direction": "Riktning för etikett", + "Label key": "Etikettnyckel", + "Labels are clickable": "Klickbara etiketter", "Latitude": "Latitud", "Layer": "Lager", "Layer properties": "Lageregenskaper", @@ -225,20 +206,39 @@ "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 cache": "Ingen cache", "No licence has been set": "Ingen licens har valts.", "No results": "Inga träffar tyvärr. Har du stavat rätt?", + "No results for these filters": "No results for these filters", + "None": "Ingen", + "On the bottom": "Under", + "On the left": "Till vänster", + "On the right": "Till höger", + "On the top": "Ovanför", "Only visible features will be downloaded.": "Endast synliggjorda kartobjekt kommer att laddas ner.", + "Open current feature on load": "Öppna nuvarande objekt vid uppstart", "Open download panel": "Öppna nedladdningspanelen", "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.": "Valfri.", "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)", + "Paste your data here": "Klistra in data här", + "Permalink": "Permanent länk", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Spara kartan först, tack 😉", + "Popup": "Popup", + "Popup (large)": "Popup (stor)", + "Popup content style": "Innehållsstil för popupfönster", + "Popup content template": "Mall för popup-innehåll", + "Popup shape": "Popup format", "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": "Fel format i serversvaret", @@ -262,12 +262,17 @@ "See all": "Se alla", "See data layers": "Visa datalager", "See full screen": "Öppna i fullskärm", + "Select data": "Select data", "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", + "Set symbol": "Välj symbol", "Shape properties": "Formategenskaper", "Short URL": "Kort URL", "Short credits": "Upphov och erkännanden (kort)", "Show/hide layer": "Visa/dölj lager", + "Side panel": "Sidopanel", "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[https://www.exempel.se]]", + "Simplify": "Förenkla", + "Skipping unknown geometry.type: {type}": "Okänd geometrityp ignoreras: {type}", "Slideshow": "Bildspelsläge", "Smart transitions": "Smarta övergångar", "Sort key": "Sorteringsnyckel", @@ -280,10 +285,13 @@ "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 \"https://minserver.org/bilder/{namn}.png\", kommer variabeln {namn} att ersättas med \"namn\"-värdet för varje objekt.", + "Symbol or url": "Symbol eller URL", "TMS format": "TMS format", + "Table": "Tabell", "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 name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")", "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)": "Att använda om fjärrservern inte tillåter gränsöverskridande domäner (långsammare)", "To zoom": "Till zoom", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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!", @@ -321,10 +330,24 @@ "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", + "always": "alltid", "attribution": "attribution", "by": "av", + "clear": "återställ", + "collapsed": "minimerad", + "color": "färg", + "dash array": "streckad linje-stil", + "define": "anpassa", + "description": "beskrivning", "display name": "namn", + "expanded": "utökad", + "fill": "fyll", + "fill color": "fyllnadsfärg", + "fill opacity": "fyllsynlighet", "height": "höjd", + "hidden": "dold", + "iframe": "IFrame (inbäddad html-ram)", + "inherit": "ärv", "licence": "licens", "max East": "max Öst", "max North": "max Nord", @@ -332,10 +355,21 @@ "max West": "max Väst", "max zoom": "maxgräns zoom", "min zoom": "minimigräns zoom", + "name": "namn", + "never": "aldrig", + "new window": "nytt fönster", "next": "nästa", + "no": "nej", + "on hover": "vid hovring", + "opacity": "synlighet", + "parent window": "föräldrafönster", "previous": "föregående", + "stroke": "streck", + "weight": "tjocklek", "width": "bredd", + "yes": "ja", "{count} errors during import: {message}": "{count} fel under importen: {message}", + "{delay} seconds": "{delay} sekunder", "Measure distances": "Mät avstånd", "NM": "M", "kilometers": "kilometer", @@ -343,43 +377,14 @@ "mi": "miles", "miles": "engelska mil", "nautical miles": "nautiska mil", - "{area} acres": "{area} acre (ung. tunnland)", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} kvadrat-mile", - "{area} yd²": "{area} kvadrat-yard", - "{distance} NM": "{distance} M", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} engelska mil", - "{distance} yd": "{distance} yard", - "1 day": "1 dag", - "1 hour": "1 timme", - "5 min": "5 min", - "Cache proxied request": "Cachelagra proxyförfrågan", - "No cache": "Ingen cache", - "Popup": "Popup", - "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 😉", - "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\")", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} acre (ung. tunnland)", + "{area} ha": "{area} ha", + "{area} m²": "{area} m²", + "{area} mi²": "{area} kvadrat-mile", + "{area} yd²": "{area} kvadrat-yard", + "{distance} NM": "{distance} M", + "{distance} km": "{distance} km", + "{distance} m": "{distance} m", + "{distance} miles": "{distance} engelska mil", + "{distance} yd": "{distance} yard" } \ No newline at end of file diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index c6e5a72a..57c56d32 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("th_TH", locale); L.setLocale("th_TH"); \ No newline at end of file diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index 07ac3816..9c3862a0 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 gün", + "1 hour": "1 saat", + "5 min": "5 dakika", + "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": "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", "Add symbol": "Sembol ekle", + "Advanced actions": "Gelişmiş eylemler", + "Advanced filter keys": "Advanced filter keys", + "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", "Allow scroll wheel zoom?": "Kaydırma tekerleği yakınlaştırmasına izin verilsin mi?", + "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?": "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", "Automatic": "Otomatik", + "Autostart when map is loaded": "Harita yüklendiğinde otomatik başlat", + "Background overlay url": "Background overlay url", "Ball": "Top", + "Bring feature to center": "Nesneyi merkeze getir", + "Browse data": "Verilere göz at", + "Cache proxied request": "Önbellek proxy isteği", "Cancel": "İptal", + "Cancel edits": "Düzenlemeleri iptal et", "Caption": "Başlık", + "Center map on your location": "Bulunduğunuz yere göre haritayı ortala", + "Change map background": "Harita arkaplanını değiştir", "Change symbol": "Sembol değiştir", + "Change tilelayers": "Haritalama katmanlarını değiştir", + "Choose a preset": "Bir ön ayar seç", "Choose the data format": "Veri biçimini seçin", + "Choose the format of the data to import": "İçe aktarılacak verilerin biçimini seç", "Choose the layer of the feature": "Nesnenin katmanını seçin", + "Choose the layer to import in": "İçe aktarılacak katmanı seç", "Circle": "Daire", + "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", "Clustered": "Kümelenmiş", + "Clustering radius": "Kümeleme yarıçapı", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Ç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", + "Custom overlay": "Custom overlay", "Data browser": "Veri tarayıcı", + "Data filters": "Data filters", + "Data is browsable": "Veriler göz atılabilir", "Default": "Varsayılan", + "Default interaction options": "Varsayılan etkileşim seçenekleri", + "Default properties": "Varsayılan özellikler", + "Default shape properties": "Varsayılan şekil özellikleri", "Default zoom level": "Varsayılan yakınlaştırma seviyesi", "Default: name": "Varsayılan: adı", + "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": "Düzenlemeyi devre dışı bırak", "Display label": "Etiketi görüntüle", + "Display measure": "Ölçüyü göster", + "Display on load": "Yüklerken 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", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Isı haritası", - "Icon shape": "Simge şekli", - "Icon symbol": "Simge sembolu", - "Inherit": "Devral", - "Label direction": "Etiket yönü", - "Label key": "Etiketin anahtarı", - "Labels are clickable": "Etiketler tıklanabilir", - "None": "Hiçbiri", - "On the bottom": "Altta", - "On the left": "Solda", - "On the right": "Sağda", - "On the top": "Üstte", - "Popup content template": "Pop-up içerik şablonu", - "Set symbol": "Sembol seç", - "Side panel": "Yan panel", - "Simplify": "Basitleştir", - "Symbol or url": "Sembol veya bağlantı", - "Table": "Tablo", - "always": "her zaman", - "clear": "temizle", - "collapsed": "çökmüş", - "color": "renk", - "dash array": "dash array", - "define": "belirt", - "description": "açıklama", - "expanded": "genişletilmiş", - "fill": "doldur", - "fill color": "dolgu rengi", - "fill opacity": "dolgu şeffaflığı", - "hidden": "saklı", - "iframe": "iframe", - "inherit": "Devralır", - "name": "adı", - "never": "asla", - "new window": "yeni pencere", - "no": "hayır", - "on hover": "vurgulu", - "opacity": "şeffaflık", - "parent window": "üst pencere", - "stroke": "stroke", - "weight": "kalınlık", - "yes": "evet", - "{delay} seconds": "{gecikme} saniye", - "# 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": "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?": "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": "Ç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": "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": "Veriyi indir", "Drag to reorder": "Yeniden sıralamak için sürükle", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Bir işaretleyici çiz", "Draw a polygon": "Bir çokgen çiz", "Draw a polyline": "Çoklu çizgi çiz", + "Drop": "Bırak", "Dynamic": "Dinamik", "Dynamic properties": "Dinamik özellikler", "Edit": "Düzenle", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Haritayı yerleştir", "Empty": "Boşalt", "Enable editing": "Düzenlemeyi etkinleştir", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Katman URL'sinde hata", "Error while fetching {url}": "{url} getirilirken hata oluştu", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Tam ekrandan çık", "Extract shape to separate feature": "Özelliği ayırmak için şekli ayıklayın", + "Feature identifier key": "Nesne tanımlayıcı anahtarı", "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": "Yakınlaştırmadan", "Full map data": "Tam harita verileri", + "GeoRSS (only link)": "GeoRSS (sadece bağlantı)", + "GeoRSS (title + image)": "GeoRSS (başlık + resim)", "Go to «{feature}»": "«{feature}» git", + "Heatmap": "Isı haritası", "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)", + "Icon shape": "Simge şekli", + "Icon symbol": "Simge sembolu", "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}}}", @@ -201,10 +176,16 @@ var locale = { "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?", + "Inherit": "Devral", "Interaction options": "Etkileşim seçenekleri", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Geçersiz umap verisi", - "Invalid umap data in {filename}": " {filename}'de geçersiz umap verisi", + "Invalid umap data in {filename}": "{filename}'de geçersiz umap verisi", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Şuan görünen katmanları tut", + "Label direction": "Etiket yönü", + "Label key": "Etiketin anahtarı", + "Labels are clickable": "Etiketler tıklanabilir", "Latitude": "Enlem", "Layer": "Katman", "Layer properties": "Katman özellikleri", @@ -225,20 +206,39 @@ var locale = { "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 cache": "Önbellek yok", "No licence has been set": "Hiçbir lisans ayarlanmadı", "No results": "Sonuç yok", + "No results for these filters": "No results for these filters", + "None": "Hiçbiri", + "On the bottom": "Altta", + "On the left": "Solda", + "On the right": "Sağda", + "On the top": "Üstte", "Only visible features will be downloaded.": "Sadece görünen özellikler indirilecek", + "Open current feature on load": "Mevcut yüklemede olan nesneyi aç", "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.": "İsteğe bağlı.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Kalıcı bağlantı", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Lütfen önce haritayı kaydedin", + "Popup": "Açılır pencere", + "Popup (large)": "Açılır pencere (büyük)", + "Popup content style": "Pop-up içerik stili", + "Popup content template": "Pop-up içerik şablonu", + "Popup shape": "Pop-up şekli", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Yanıtta sorun", "Problem in the response format": "Yanıt biçiminde sorun", @@ -262,12 +262,17 @@ var locale = { "See all": "Hepsini gör", "See data layers": "Veri katmanlarını gör", "See full screen": "Tam ekranda gör", + "Select data": "Select data", "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 ...", + "Set symbol": "Sembol seç", "Shape properties": "Şekil özellikleri", "Short URL": "Kısa URL", "Short credits": "Kısa krediler", "Show/hide layer": "Katmanı göster/gizle", + "Side panel": "Yan panel", "Simple link: [[http://example.com]]": "Basit bağlantı: [[http://example.com]]", + "Simplify": "Basitleştir", + "Skipping unknown geometry.type: {type}": "Bilinmeyen geometri tipini atlama: {type}", "Slideshow": "Slayt gösterisi", "Smart transitions": "Akıllı geçişler", "Sort key": "Kısa anahtar", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Sembol veya bağlantı", "TMS format": "TMS formatı", + "Table": "Tablo", "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 name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı", "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)": "Uzak sunucu etki alanları arası izin vermiyorsa kullanmak için (daha yavaş)", "To zoom": "Yakınlaştırmak için", @@ -296,13 +304,13 @@ var locale = { "Untitled layer": "Adlandırılmamış katman", "Untitled map": "Adlandırılmamış harita", "Update permissions": "İzinleri güncelle", - "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin\n", + "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin", "Url": "Url", "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 ", + "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.", @@ -321,21 +330,46 @@ var locale = { "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", + "always": "her zaman", "attribution": "atıf", "by": "tarafından", + "clear": "temizle", + "collapsed": "çökmüş", + "color": "renk", + "dash array": "dash array", + "define": "belirt", + "description": "açıklama", "display name": "görünen ad", + "expanded": "genişletilmiş", + "fill": "doldur", + "fill color": "dolgu rengi", + "fill opacity": "dolgu şeffaflığı", "height": "yükseklik", + "hidden": "saklı", + "iframe": "iframe", + "inherit": "Devralır", "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 ", + "max zoom": "max yakınlaştır", "min zoom": "min yakınlaştırma", + "name": "adı", + "never": "asla", + "new window": "yeni pencere", "next": "sonraki", + "no": "hayır", + "on hover": "vurgulu", + "opacity": "şeffaflık", + "parent window": "üst pencere", "previous": "önceki", + "stroke": "stroke", + "weight": "kalınlık", "width": "genişlik", + "yes": "evet", "{count} errors during import: {message}": "{sayı} içe aktarma sırasında hatalar: {mesaj}", + "{delay} seconds": "{gecikme} saniye", "Measure distances": "Mesafeleri ölçün", "NM": "NM", "kilometers": "kilometre", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "mil", "nautical miles": "deniz mil", - "{area} acres": "{area} dönüm", - "{area} ha": "{area} hektar", - "{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 gün", - "1 hour": "1 saat", - "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", - "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ı", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} dönüm", + "{area} ha": "{area} hektar", + "{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" }; 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 ebfd7eed..d59245f1 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 gün", + "1 hour": "1 saat", + "5 min": "5 dakika", + "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": "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", "Add symbol": "Sembol ekle", + "Advanced actions": "Gelişmiş eylemler", + "Advanced filter keys": "Advanced filter keys", + "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", "Allow scroll wheel zoom?": "Kaydırma tekerleği yakınlaştırmasına izin verilsin mi?", + "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?": "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", "Automatic": "Otomatik", + "Autostart when map is loaded": "Harita yüklendiğinde otomatik başlat", + "Background overlay url": "Background overlay url", "Ball": "Top", + "Bring feature to center": "Nesneyi merkeze getir", + "Browse data": "Verilere göz at", + "Cache proxied request": "Önbellek proxy isteği", "Cancel": "İptal", + "Cancel edits": "Düzenlemeleri iptal et", "Caption": "Başlık", + "Center map on your location": "Bulunduğunuz yere göre haritayı ortala", + "Change map background": "Harita arkaplanını değiştir", "Change symbol": "Sembol değiştir", + "Change tilelayers": "Haritalama katmanlarını değiştir", + "Choose a preset": "Bir ön ayar seç", "Choose the data format": "Veri biçimini seçin", + "Choose the format of the data to import": "İçe aktarılacak verilerin biçimini seç", "Choose the layer of the feature": "Nesnenin katmanını seçin", + "Choose the layer to import in": "İçe aktarılacak katmanı seç", "Circle": "Daire", + "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", "Clustered": "Kümelenmiş", + "Clustering radius": "Kümeleme yarıçapı", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "Ç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", + "Custom overlay": "Custom overlay", "Data browser": "Veri tarayıcı", + "Data filters": "Data filters", + "Data is browsable": "Veriler göz atılabilir", "Default": "Varsayılan", + "Default interaction options": "Varsayılan etkileşim seçenekleri", + "Default properties": "Varsayılan özellikler", + "Default shape properties": "Varsayılan şekil özellikleri", "Default zoom level": "Varsayılan yakınlaştırma seviyesi", "Default: name": "Varsayılan: adı", + "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": "Düzenlemeyi devre dışı bırak", "Display label": "Etiketi görüntüle", + "Display measure": "Ölçüyü göster", + "Display on load": "Yüklerken 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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Isı haritası", - "Icon shape": "Simge şekli", - "Icon symbol": "Simge sembolu", - "Inherit": "Devral", - "Label direction": "Etiket yönü", - "Label key": "Etiketin anahtarı", - "Labels are clickable": "Etiketler tıklanabilir", - "None": "Hiçbiri", - "On the bottom": "Altta", - "On the left": "Solda", - "On the right": "Sağda", - "On the top": "Üstte", - "Popup content template": "Pop-up içerik şablonu", - "Set symbol": "Sembol seç", - "Side panel": "Yan panel", - "Simplify": "Basitleştir", - "Symbol or url": "Sembol veya bağlantı", - "Table": "Tablo", - "always": "her zaman", - "clear": "temizle", - "collapsed": "çökmüş", - "color": "renk", - "dash array": "dash array", - "define": "belirt", - "description": "açıklama", - "expanded": "genişletilmiş", - "fill": "doldur", - "fill color": "dolgu rengi", - "fill opacity": "dolgu şeffaflığı", - "hidden": "saklı", - "iframe": "iframe", - "inherit": "Devralır", - "name": "adı", - "never": "asla", - "new window": "yeni pencere", - "no": "hayır", - "on hover": "vurgulu", - "opacity": "şeffaflık", - "parent window": "üst pencere", - "stroke": "stroke", - "weight": "kalınlık", - "yes": "evet", - "{delay} seconds": "{gecikme} saniye", - "# 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": "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?": "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": "Ç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": "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": "Veriyi indir", "Drag to reorder": "Yeniden sıralamak için sürükle", @@ -159,6 +125,7 @@ "Draw a marker": "Bir işaretleyici çiz", "Draw a polygon": "Bir çokgen çiz", "Draw a polyline": "Çoklu çizgi çiz", + "Drop": "Bırak", "Dynamic": "Dinamik", "Dynamic properties": "Dinamik özellikler", "Edit": "Düzenle", @@ -172,23 +139,31 @@ "Embed the map": "Haritayı yerleştir", "Empty": "Boşalt", "Enable editing": "Düzenlemeyi etkinleştir", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Katman URL'sinde hata", "Error while fetching {url}": "{url} getirilirken hata oluştu", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Tam ekrandan çık", "Extract shape to separate feature": "Özelliği ayırmak için şekli ayıklayın", + "Feature identifier key": "Nesne tanımlayıcı anahtarı", "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": "Yakınlaştırmadan", "Full map data": "Tam harita verileri", + "GeoRSS (only link)": "GeoRSS (sadece bağlantı)", + "GeoRSS (title + image)": "GeoRSS (başlık + resim)", "Go to «{feature}»": "«{feature}» git", + "Heatmap": "Isı haritası", "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)", + "Icon shape": "Simge şekli", + "Icon symbol": "Simge sembolu", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Devral", "Interaction options": "Etkileşim seçenekleri", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Geçersiz umap verisi", - "Invalid umap data in {filename}": " {filename}'de geçersiz umap verisi", + "Invalid umap data in {filename}": "{filename}'de geçersiz umap verisi", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Şuan görünen katmanları tut", + "Label direction": "Etiket yönü", + "Label key": "Etiketin anahtarı", + "Labels are clickable": "Etiketler tıklanabilir", "Latitude": "Enlem", "Layer": "Katman", "Layer properties": "Katman özellikleri", @@ -225,20 +206,39 @@ "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 cache": "Önbellek yok", "No licence has been set": "Hiçbir lisans ayarlanmadı", "No results": "Sonuç yok", + "No results for these filters": "No results for these filters", + "None": "Hiçbiri", + "On the bottom": "Altta", + "On the left": "Solda", + "On the right": "Sağda", + "On the top": "Üstte", "Only visible features will be downloaded.": "Sadece görünen özellikler indirilecek", + "Open current feature on load": "Mevcut yüklemede olan nesneyi aç", "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.": "İsteğe bağlı.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Kalıcı bağlantı", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Lütfen önce haritayı kaydedin", + "Popup": "Açılır pencere", + "Popup (large)": "Açılır pencere (büyük)", + "Popup content style": "Pop-up içerik stili", + "Popup content template": "Pop-up içerik şablonu", + "Popup shape": "Pop-up şekli", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Yanıtta sorun", "Problem in the response format": "Yanıt biçiminde sorun", @@ -262,12 +262,17 @@ "See all": "Hepsini gör", "See data layers": "Veri katmanlarını gör", "See full screen": "Tam ekranda gör", + "Select data": "Select data", "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 ...", + "Set symbol": "Sembol seç", "Shape properties": "Şekil özellikleri", "Short URL": "Kısa URL", "Short credits": "Kısa krediler", "Show/hide layer": "Katmanı göster/gizle", + "Side panel": "Yan panel", "Simple link: [[http://example.com]]": "Basit bağlantı: [[http://example.com]]", + "Simplify": "Basitleştir", + "Skipping unknown geometry.type: {type}": "Bilinmeyen geometri tipini atlama: {type}", "Slideshow": "Slayt gösterisi", "Smart transitions": "Akıllı geçişler", "Sort key": "Kısa anahtar", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Sembol veya bağlantı", "TMS format": "TMS formatı", + "Table": "Tablo", "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 name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı", "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)": "Uzak sunucu etki alanları arası izin vermiyorsa kullanmak için (daha yavaş)", "To zoom": "Yakınlaştırmak için", @@ -296,13 +304,13 @@ "Untitled layer": "Adlandırılmamış katman", "Untitled map": "Adlandırılmamış harita", "Update permissions": "İzinleri güncelle", - "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin\n", + "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin", "Url": "Url", "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 ", + "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map", "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.", @@ -321,21 +330,46 @@ "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", + "always": "her zaman", "attribution": "atıf", "by": "tarafından", + "clear": "temizle", + "collapsed": "çökmüş", + "color": "renk", + "dash array": "dash array", + "define": "belirt", + "description": "açıklama", "display name": "görünen ad", + "expanded": "genişletilmiş", + "fill": "doldur", + "fill color": "dolgu rengi", + "fill opacity": "dolgu şeffaflığı", "height": "yükseklik", + "hidden": "saklı", + "iframe": "iframe", + "inherit": "Devralır", "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 ", + "max zoom": "max yakınlaştır", "min zoom": "min yakınlaştırma", + "name": "adı", + "never": "asla", + "new window": "yeni pencere", "next": "sonraki", + "no": "hayır", + "on hover": "vurgulu", + "opacity": "şeffaflık", + "parent window": "üst pencere", "previous": "önceki", + "stroke": "stroke", + "weight": "kalınlık", "width": "genişlik", + "yes": "evet", "{count} errors during import: {message}": "{sayı} içe aktarma sırasında hatalar: {mesaj}", + "{delay} seconds": "{gecikme} saniye", "Measure distances": "Mesafeleri ölçün", "NM": "NM", "kilometers": "kilometre", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "mil", "nautical miles": "deniz mil", - "{area} acres": "{area} dönüm", - "{area} ha": "{area} hektar", - "{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 gün", - "1 hour": "1 saat", - "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", - "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ı", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} dönüm", + "{area} ha": "{area} hektar", + "{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" } \ 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 236bc1b2..5eb00925 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- горизонтальна лінія", + "1 day": "1 день", + "1 hour": "1 година", + "5 min": "5 хвилин", + "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": "Активувати режим слайдшоу", + "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": "Add a polygon to the current multi", "Add symbol": "Додати зображення", + "Advanced actions": "Додаткові дії", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Розширенні параметри", + "Advanced transition": "Розширені переходи", + "All properties are imported.": "Усі параметри імпортовано.", + "Allow interactions": "Дозволити взаємодію", "Allow scroll wheel zoom?": "Дозволити зміну масштабу колесом миші?", + "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": "Автоматично", "Automatic": "Автоматично", + "Autostart when map is loaded": "Автозапуск при завантаженні мапи", + "Background overlay url": "Background overlay url", "Ball": "Шпилька", + "Bring feature to center": "Помістити об’єкт в центр", + "Browse data": "Огляд даних", + "Cache proxied request": "Кешувати запити", "Cancel": "Скасувати", + "Cancel edits": "Скасувати правки", "Caption": "Заголовок", + "Center map on your location": "Центрувати мапу за Вашим місцем розташування", + "Change map background": "Змінити фонову мапу", "Change symbol": "Змінити зображення", + "Change tilelayers": "Вибрати фонові шари", + "Choose a preset": "Виберіть шаблон", "Choose the data format": "Виберіть формат даних", + "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer of the feature": "Виберіть шар для об’єкта", + "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Circle": "Коло", + "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": "Клацніть, щоб почати креслення багатокутника", + "Clone": "Створити копію", + "Clone of {name}": "Копія {name}", + "Clone this feature": "Клонувати цей об’єкт", + "Clone this map": "Створити копію мапи", + "Close": "Закрити", "Clustered": "Кластеризованний", + "Clustering radius": "Радіус кластеризації", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "Як роздільник використовуються коми, табуляції і крапки з комою. Застосовується датум WGS84. Імпорт переглядає заголовок на наявність полів «lat» та «lon», регістр не має значення. Усі інші поля імпортуються як параметри.", + "Continue line": "Продовжити лінію", + "Continue line (Ctrl+Click)": "Продовжити лінію (Ctrl+клацання)", + "Coordinates": "Координати", + "Credits": "Авторські права / подяки", + "Current view instead of default map view?": "Поточний вид замість типового виду мапи?", + "Custom background": "Користувацька фонова мапа", + "Custom overlay": "Custom overlay", "Data browser": "Оглядач даних", + "Data filters": "Data filters", + "Data is browsable": "Дані можна переглядати", "Default": "Типово", + "Default interaction options": "Типові параметри взаємодії", + "Default properties": "Типові параметри", + "Default shape properties": "Типові параметри полігону", "Default zoom level": "Типовий масштаб", "Default: name": "Типова назва", + "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 property on all the features": "Вилучити цей параметр у всіх об’єктів", + "Delete this shape": "Вилучити цей полігон", + "Delete this vertex (Alt+Click)": "Вилучити цю вершину (Alt+клік)", + "Directions from here": "Маршрут звідси", + "Disable editing": "Вимкнути редагування", "Display label": "Показувати підписи", + "Display measure": "Показати вимірювання", + "Display on load": "Показувати під час завантаження", "Display the control to open OpenStreetMap editor": "Показувати кнопку переходу в редактор OpenStreetMap", "Display the data layers control": "Показувати перемикач шарів даних", "Display the embed control": "Показувати вбудовані елементи керування", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "Мітки клікабельні", - "None": "Ні", - "On the bottom": "Знизу", - "On the left": "Ліворуч", - "On the right": "Праворуч", - "On the top": "Зверху", - "Popup content template": "Шаблон спливаючої підказки", - "Set symbol": "Вибрати значок", - "Side panel": "Бічна панель", - "Simplify": "Спростити", - "Symbol or url": "Значок чи URL", - "Table": "Таблиця", - "always": "завжди", - "clear": "очистити", - "collapsed": "згорнуто", - "color": "колір", - "dash array": "штрихи", - "define": "визначити", - "description": "опис", - "expanded": "розгорнуто", - "fill": "заливка", - "fill color": "колір заливки", - "fill opacity": "непрозорість заливки", - "hidden": "приховано", - "iframe": "iframe", - "inherit": "успадковувати", - "name": "назва", - "never": "ніколи", - "new window": "new window", - "no": "ні", - "on hover": "при наведенні", - "opacity": "непрозорість", - "parent window": "батьківське вікно", - "stroke": "штрихи", - "weight": "товщина", - "yes": "так", - "{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\".", - "About": "Про це", - "Action not allowed :(": "Дія недоступна :(", - "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": "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": "Клацайте, щоб продовжити креслення", - "Click to edit": "Натисніть для редагування", - "Click to start drawing a line": "Клацайте, щоб продовжити креслення", - "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", - "Clone": "Створити копію", - "Clone of {name}": "Копія {name}", - "Clone this feature": "Клонувати цей об’єкт", - "Clone this map": "Створити копію мапи", - "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.": "Як роздільник використовуються коми, табуляції і крапки з комою. Застосовується датум WGS84. Імпорт переглядає заголовок на наявність полів «lat» та «lon», регістр не має значення. Усі інші поля імпортуються як параметри.", - "Continue line": "Продовжити лінію", - "Continue line (Ctrl+Click)": "Продовжити лінію (Ctrl+клацання)", - "Coordinates": "Координати", - "Credits": "Авторські права / подяки", - "Current view instead of default map view?": "Поточний вид замість типового виду мапи?", - "Custom background": "Користувацька фонова мапа", - "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": "Вилучити", - "Delete all layers": "Вилучити всі шари", - "Delete layer": "Вилучити шар", - "Delete this feature": "Вилучити цей об’єкт", - "Delete this property on all the features": "Вилучити цей параметр у всіх об’єктів", - "Delete this shape": "Вилучити цей полігон", - "Delete this vertex (Alt+Click)": "Вилучити цю вершину (Alt+клік)", - "Directions from here": "Маршрут звідси", - "Disable editing": "Вимкнути редагування", - "Display measure": "Показати вимірювання", - "Display on load": "Показувати під час завантаження", "Download": "Звантажити", "Download data": "Звантажити дані", "Drag to reorder": "Перетягніть, щоб змінити порядок", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Додати позначку", "Draw a polygon": "Накреслити полігон", "Draw a polyline": "Накреслити ламану", + "Drop": "Крапля", "Dynamic": "Динамічний", "Dynamic properties": "Динамічні властивості", "Edit": "Редагувати", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Вбудувати мапу", "Empty": "Очистити", "Enable editing": "Увімкнути редагування", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Помилка в посиланні на шар мапи", "Error while fetching {url}": "Помилка при отриманні {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Вийти з повноекранного режиму", "Extract shape to separate feature": "Виокремити полігон в окремий об’єкт", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Запитувати нові дані під час кожного оновлення мапи.", "Filter keys": "Фільтрувати ключі", "Filter…": "Фільтр…", "Format": "Формат", "From zoom": "З масштабу", "Full map data": "Дані мапи", + "GeoRSS (only link)": "GeoRSS (лише посилання)", + "GeoRSS (title + image)": "GeoRSS (заголовок та зображення)", "Go to «{feature}»": "Перейти до «{feature}»", + "Heatmap": "Теплова мапа", "Heatmap intensity property": "Параметр інтенсивності теплової мапи", "Heatmap radius": "Радіус для теплової мапи", "Help": "Довідка", "Hide controls": "Прибрати елементи керування", "Home": "Головна", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Наскільки сильно спрощувати лінії на кожному масштабі (більше значення — більша швидкість, але виглядає гірше; менше значення — більш точне зображення)", + "Icon shape": "Форма значка", + "Icon symbol": "Символ значка", "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 із зазначенням висоти (в пікселях): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "Імпортувати в новий шар", "Imports all umap data, including layers and settings.": "Імпортувати всі дані, включаючи інформацію про шари та налаштування.", "Include full screen link?": "Долучити посилання на повноекранний вид?", + "Inherit": "Успадковувати", "Interaction options": "Параметри взаємодії", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Невірні umap-дані", "Invalid umap data in {filename}": "Невірні umap-дані у файлі {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Залишити поточні видимі шари", + "Label direction": "Напрямок підпису", + "Label key": "Підпис ключа", + "Labels are clickable": "Мітки клікабельні", "Latitude": "Широта", "Layer": "Шар", "Layer properties": "Параметри шару", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Об’єднати лінії", "More controls": "Інші елементи керування", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Повинно бути чинне CSS-значення (на кшталт DarkBlue чи #123456)", + "No cache": "Кешу немає", "No licence has been set": "Ліцензію не було зазначено", "No results": "Немає результатів", + "No results for these filters": "No results for these filters", + "None": "Ні", + "On the bottom": "Знизу", + "On the left": "Ліворуч", + "On the right": "Праворуч", + "On the top": "Зверху", "Only visible features will be downloaded.": "Будуть завантажені лише видимі об’єкти.", + "Open current feature on load": "Open current feature on load", "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.": "Необов’язково.", "Optional. Same as color if not set.": "Додатково. Якщо не вибрано, то як колір.", "Override clustering radius (default 80)": "Перевизначити радіус кластеризації (типово 80)", "Override heatmap radius (default 25)": "Перевизначити радіус для теплової мапи (типово 25)", + "Paste your data here": "Вставте ваші дані тут", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Будь ласка, введіть нову назву параметра", + "Please save the map first": "Спочатку збережіть вашу мапу", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Шаблон спливаючої підказки", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Працює на Leaflet та Django, в проєкті uMap.", "Problem in the response": "Проблема з відповіддю", "Problem in the response format": "Формат відповіді не розпізнано", @@ -262,12 +262,17 @@ var locale = { "See all": "Переглянути усе", "See data layers": "Подивитися шари даних", "See full screen": "Дивитися в повноекранному режимі", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Встановіть false, щоб приховати шар в слайдшоу, в перегляді даних та навігації…", + "Set symbol": "Вибрати значок", "Shape properties": "Параметри полігона", "Short URL": "Коротке посилання", "Short credits": "Короткий опис прав/подяки", "Show/hide layer": "Показати/приховати шар", + "Side panel": "Бічна панель", "Simple link: [[http://example.com]]": "Просте посилання: [[http://example.com]]", + "Simplify": "Спростити", + "Skipping unknown geometry.type: {type}": "Пропускаємо невідоме значення geometry.type: {type}", "Slideshow": "Слайдшоу", "Smart transitions": "Розумні переходи", "Sort key": "Ключ сортування", @@ -280,10 +285,13 @@ var locale = { "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.": "Значок може бути як юнікод-символом так і URL. Ви можете використовувати параметри об'єктів як змінні. Наприклад, в \"http://myserver.org/images/{name}.png\", змінна {name} буде замінена значенням поля \"name\" кожної мітки на мапі.", + "Symbol or url": "Значок чи URL", "TMS format": "Формат TMS", + "Table": "Таблиця", "Text color for the cluster label": "Колір тексту для позначок кластера", "Text formatting": "Форматування тексту", "The name of the property to use as feature label (ex.: \"nom\")": "Назва параметру для використання в якості мітки об’єкта (напр.: „nom“)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Масштабувати", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "Хто може редагувати", "Who can view": "Хто може редагувати", "Will be displayed in the bottom right corner of the map": "Буде показано в правому нижньому кутку мапи", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Упс! Схоже, хтось інший теж редагує ці дані. Ви можете зберегти свої правки, але це знищить правки іншого учасника.", "You have unsaved changes.": "У Вас є незбережені зміни.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Наблизитися до попереднього", "Zoom to this feature": "Наблизитися до цього об’єкта", "Zoom to this place": "Наблизити до цього місця", + "always": "завжди", "attribution": "attribution", "by": "від", + "clear": "очистити", + "collapsed": "згорнуто", + "color": "колір", + "dash array": "штрихи", + "define": "визначити", + "description": "опис", "display name": "показана назва", + "expanded": "розгорнуто", + "fill": "заливка", + "fill color": "колір заливки", + "fill opacity": "непрозорість заливки", "height": "висота", + "hidden": "приховано", + "iframe": "iframe", + "inherit": "успадковувати", "licence": "ліцензія", "max East": "макс. на схід", "max North": "макс. на північ", @@ -332,10 +355,21 @@ var locale = { "max West": "макс. на захід", "max zoom": "максимальний масштаб", "min zoom": "мінімальний масштаб", + "name": "назва", + "never": "ніколи", + "new window": "new window", "next": "далі", + "no": "ні", + "on hover": "при наведенні", + "opacity": "непрозорість", + "parent window": "батьківське вікно", "previous": "назад", + "stroke": "штрихи", + "weight": "товщина", "width": "ширина", + "yes": "так", "{count} errors during import: {message}": "{count} помилок під час імпорту: {message}", + "{delay} seconds": "{delay} секунди", "Measure distances": "Виміряти відстань", "NM": "NM", "kilometers": "кілометрів", @@ -343,45 +377,16 @@ var locale = { "mi": "миля", "miles": "миль", "nautical miles": "морських миль", - "{area} acres": "{area} акрів", - "{area} ha": "{area} гектар", - "{area} m²": "{area} м²", - "{area} mi²": "{area} миль²", - "{area} yd²": "{area} ярд²", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} км", - "{distance} m": "{distance} м", - "{distance} miles": "{distance} миль", - "{distance} yd": "{distance} ярдів", - "1 day": "1 день", - "1 hour": "1 година", - "5 min": "5 хвилин", - "Cache proxied request": "Кешувати запити", - "No cache": "Кешу немає", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Пропускаємо невідоме значення geometry.type: {type}", - "Optional.": "Необов’язково.", - "Paste your data here": "Вставте ваші дані тут", - "Please save the map first": "Спочатку збережіть вашу мапу", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} акрів", + "{area} ha": "{area} гектар", + "{area} m²": "{area} м²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} км", + "{distance} m": "{distance} м", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдів" }; L.registerLocale("uk_UA", locale); L.setLocale("uk_UA"); \ No newline at end of file diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 7d75fe0d..9bc7ead7 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- горизонтальна лінія", + "1 day": "1 день", + "1 hour": "1 година", + "5 min": "5 хвилин", + "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": "Активувати режим слайдшоу", + "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": "Add a polygon to the current multi", "Add symbol": "Додати зображення", + "Advanced actions": "Додаткові дії", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Розширенні параметри", + "Advanced transition": "Розширені переходи", + "All properties are imported.": "Усі параметри імпортовано.", + "Allow interactions": "Дозволити взаємодію", "Allow scroll wheel zoom?": "Дозволити зміну масштабу колесом миші?", + "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": "Автоматично", "Automatic": "Автоматично", + "Autostart when map is loaded": "Автозапуск при завантаженні мапи", + "Background overlay url": "Background overlay url", "Ball": "Шпилька", + "Bring feature to center": "Помістити об’єкт в центр", + "Browse data": "Огляд даних", + "Cache proxied request": "Кешувати запити", "Cancel": "Скасувати", + "Cancel edits": "Скасувати правки", "Caption": "Заголовок", + "Center map on your location": "Центрувати мапу за Вашим місцем розташування", + "Change map background": "Змінити фонову мапу", "Change symbol": "Змінити зображення", + "Change tilelayers": "Вибрати фонові шари", + "Choose a preset": "Виберіть шаблон", "Choose the data format": "Виберіть формат даних", + "Choose the format of the data to import": "Виберіть формат даних для імпорту", "Choose the layer of the feature": "Виберіть шар для об’єкта", + "Choose the layer to import in": "Виберіть шар для імпорту в нього", "Circle": "Коло", + "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": "Клацніть, щоб почати креслення багатокутника", + "Clone": "Створити копію", + "Clone of {name}": "Копія {name}", + "Clone this feature": "Клонувати цей об’єкт", + "Clone this map": "Створити копію мапи", + "Close": "Закрити", "Clustered": "Кластеризованний", + "Clustering radius": "Радіус кластеризації", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "Як роздільник використовуються коми, табуляції і крапки з комою. Застосовується датум WGS84. Імпорт переглядає заголовок на наявність полів «lat» та «lon», регістр не має значення. Усі інші поля імпортуються як параметри.", + "Continue line": "Продовжити лінію", + "Continue line (Ctrl+Click)": "Продовжити лінію (Ctrl+клацання)", + "Coordinates": "Координати", + "Credits": "Авторські права / подяки", + "Current view instead of default map view?": "Поточний вид замість типового виду мапи?", + "Custom background": "Користувацька фонова мапа", + "Custom overlay": "Custom overlay", "Data browser": "Оглядач даних", + "Data filters": "Data filters", + "Data is browsable": "Дані можна переглядати", "Default": "Типово", + "Default interaction options": "Типові параметри взаємодії", + "Default properties": "Типові параметри", + "Default shape properties": "Типові параметри полігону", "Default zoom level": "Типовий масштаб", "Default: name": "Типова назва", + "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 property on all the features": "Вилучити цей параметр у всіх об’єктів", + "Delete this shape": "Вилучити цей полігон", + "Delete this vertex (Alt+Click)": "Вилучити цю вершину (Alt+клік)", + "Directions from here": "Маршрут звідси", + "Disable editing": "Вимкнути редагування", "Display label": "Показувати підписи", + "Display measure": "Показати вимірювання", + "Display on load": "Показувати під час завантаження", "Display the control to open OpenStreetMap editor": "Показувати кнопку переходу в редактор OpenStreetMap", "Display the data layers control": "Показувати перемикач шарів даних", "Display the embed control": "Показувати вбудовані елементи керування", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "Мітки клікабельні", - "None": "Ні", - "On the bottom": "Знизу", - "On the left": "Ліворуч", - "On the right": "Праворуч", - "On the top": "Зверху", - "Popup content template": "Шаблон спливаючої підказки", - "Set symbol": "Вибрати значок", - "Side panel": "Бічна панель", - "Simplify": "Спростити", - "Symbol or url": "Значок чи URL", - "Table": "Таблиця", - "always": "завжди", - "clear": "очистити", - "collapsed": "згорнуто", - "color": "колір", - "dash array": "штрихи", - "define": "визначити", - "description": "опис", - "expanded": "розгорнуто", - "fill": "заливка", - "fill color": "колір заливки", - "fill opacity": "непрозорість заливки", - "hidden": "приховано", - "iframe": "iframe", - "inherit": "успадковувати", - "name": "назва", - "never": "ніколи", - "new window": "new window", - "no": "ні", - "on hover": "при наведенні", - "opacity": "непрозорість", - "parent window": "батьківське вікно", - "stroke": "штрихи", - "weight": "товщина", - "yes": "так", - "{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\".", - "About": "Про це", - "Action not allowed :(": "Дія недоступна :(", - "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": "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": "Клацайте, щоб продовжити креслення", - "Click to edit": "Натисніть для редагування", - "Click to start drawing a line": "Клацайте, щоб продовжити креслення", - "Click to start drawing a polygon": "Клацніть, щоб почати креслення багатокутника", - "Clone": "Створити копію", - "Clone of {name}": "Копія {name}", - "Clone this feature": "Клонувати цей об’єкт", - "Clone this map": "Створити копію мапи", - "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.": "Як роздільник використовуються коми, табуляції і крапки з комою. Застосовується датум WGS84. Імпорт переглядає заголовок на наявність полів «lat» та «lon», регістр не має значення. Усі інші поля імпортуються як параметри.", - "Continue line": "Продовжити лінію", - "Continue line (Ctrl+Click)": "Продовжити лінію (Ctrl+клацання)", - "Coordinates": "Координати", - "Credits": "Авторські права / подяки", - "Current view instead of default map view?": "Поточний вид замість типового виду мапи?", - "Custom background": "Користувацька фонова мапа", - "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": "Вилучити", - "Delete all layers": "Вилучити всі шари", - "Delete layer": "Вилучити шар", - "Delete this feature": "Вилучити цей об’єкт", - "Delete this property on all the features": "Вилучити цей параметр у всіх об’єктів", - "Delete this shape": "Вилучити цей полігон", - "Delete this vertex (Alt+Click)": "Вилучити цю вершину (Alt+клік)", - "Directions from here": "Маршрут звідси", - "Disable editing": "Вимкнути редагування", - "Display measure": "Показати вимірювання", - "Display on load": "Показувати під час завантаження", "Download": "Звантажити", "Download data": "Звантажити дані", "Drag to reorder": "Перетягніть, щоб змінити порядок", @@ -159,6 +125,7 @@ "Draw a marker": "Додати позначку", "Draw a polygon": "Накреслити полігон", "Draw a polyline": "Накреслити ламану", + "Drop": "Крапля", "Dynamic": "Динамічний", "Dynamic properties": "Динамічні властивості", "Edit": "Редагувати", @@ -172,23 +139,31 @@ "Embed the map": "Вбудувати мапу", "Empty": "Очистити", "Enable editing": "Увімкнути редагування", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Помилка в посиланні на шар мапи", "Error while fetching {url}": "Помилка при отриманні {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Вийти з повноекранного режиму", "Extract shape to separate feature": "Виокремити полігон в окремий об’єкт", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Запитувати нові дані під час кожного оновлення мапи.", "Filter keys": "Фільтрувати ключі", "Filter…": "Фільтр…", "Format": "Формат", "From zoom": "З масштабу", "Full map data": "Дані мапи", + "GeoRSS (only link)": "GeoRSS (лише посилання)", + "GeoRSS (title + image)": "GeoRSS (заголовок та зображення)", "Go to «{feature}»": "Перейти до «{feature}»", + "Heatmap": "Теплова мапа", "Heatmap intensity property": "Параметр інтенсивності теплової мапи", "Heatmap radius": "Радіус для теплової мапи", "Help": "Довідка", "Hide controls": "Прибрати елементи керування", "Home": "Головна", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Наскільки сильно спрощувати лінії на кожному масштабі (більше значення — більша швидкість, але виглядає гірше; менше значення — більш точне зображення)", + "Icon shape": "Форма значка", + "Icon symbol": "Символ значка", "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 із зазначенням висоти (в пікселях): {{{http://iframe.url.com|height}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "Імпортувати в новий шар", "Imports all umap data, including layers and settings.": "Імпортувати всі дані, включаючи інформацію про шари та налаштування.", "Include full screen link?": "Долучити посилання на повноекранний вид?", + "Inherit": "Успадковувати", "Interaction options": "Параметри взаємодії", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Невірні umap-дані", "Invalid umap data in {filename}": "Невірні umap-дані у файлі {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Залишити поточні видимі шари", + "Label direction": "Напрямок підпису", + "Label key": "Підпис ключа", + "Labels are clickable": "Мітки клікабельні", "Latitude": "Широта", "Layer": "Шар", "Layer properties": "Параметри шару", @@ -225,20 +206,39 @@ "Merge lines": "Об’єднати лінії", "More controls": "Інші елементи керування", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Повинно бути чинне CSS-значення (на кшталт DarkBlue чи #123456)", + "No cache": "Кешу немає", "No licence has been set": "Ліцензію не було зазначено", "No results": "Немає результатів", + "No results for these filters": "No results for these filters", + "None": "Ні", + "On the bottom": "Знизу", + "On the left": "Ліворуч", + "On the right": "Праворуч", + "On the top": "Зверху", "Only visible features will be downloaded.": "Будуть завантажені лише видимі об’єкти.", + "Open current feature on load": "Open current feature on load", "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.": "Необов’язково.", "Optional. Same as color if not set.": "Додатково. Якщо не вибрано, то як колір.", "Override clustering radius (default 80)": "Перевизначити радіус кластеризації (типово 80)", "Override heatmap radius (default 25)": "Перевизначити радіус для теплової мапи (типово 25)", + "Paste your data here": "Вставте ваші дані тут", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "Будь ласка, введіть нову назву параметра", + "Please save the map first": "Спочатку збережіть вашу мапу", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Шаблон спливаючої підказки", + "Popup shape": "Popup shape", "Powered by Leaflet and Django, glued by uMap project.": "Працює на Leaflet та Django, в проєкті uMap.", "Problem in the response": "Проблема з відповіддю", "Problem in the response format": "Формат відповіді не розпізнано", @@ -262,12 +262,17 @@ "See all": "Переглянути усе", "See data layers": "Подивитися шари даних", "See full screen": "Дивитися в повноекранному режимі", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Встановіть false, щоб приховати шар в слайдшоу, в перегляді даних та навігації…", + "Set symbol": "Вибрати значок", "Shape properties": "Параметри полігона", "Short URL": "Коротке посилання", "Short credits": "Короткий опис прав/подяки", "Show/hide layer": "Показати/приховати шар", + "Side panel": "Бічна панель", "Simple link: [[http://example.com]]": "Просте посилання: [[http://example.com]]", + "Simplify": "Спростити", + "Skipping unknown geometry.type: {type}": "Пропускаємо невідоме значення geometry.type: {type}", "Slideshow": "Слайдшоу", "Smart transitions": "Розумні переходи", "Sort key": "Ключ сортування", @@ -280,10 +285,13 @@ "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.": "Значок може бути як юнікод-символом так і URL. Ви можете використовувати параметри об'єктів як змінні. Наприклад, в \"http://myserver.org/images/{name}.png\", змінна {name} буде замінена значенням поля \"name\" кожної мітки на мапі.", + "Symbol or url": "Значок чи URL", "TMS format": "Формат TMS", + "Table": "Таблиця", "Text color for the cluster label": "Колір тексту для позначок кластера", "Text formatting": "Форматування тексту", "The name of the property to use as feature label (ex.: \"nom\")": "Назва параметру для використання в якості мітки об’єкта (напр.: „nom“)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "Масштабувати", @@ -310,6 +318,7 @@ "Who can edit": "Хто може редагувати", "Who can view": "Хто може редагувати", "Will be displayed in the bottom right corner of the map": "Буде показано в правому нижньому кутку мапи", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "Упс! Схоже, хтось інший теж редагує ці дані. Ви можете зберегти свої правки, але це знищить правки іншого учасника.", "You have unsaved changes.": "У Вас є незбережені зміни.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Наблизитися до попереднього", "Zoom to this feature": "Наблизитися до цього об’єкта", "Zoom to this place": "Наблизити до цього місця", + "always": "завжди", "attribution": "attribution", "by": "від", + "clear": "очистити", + "collapsed": "згорнуто", + "color": "колір", + "dash array": "штрихи", + "define": "визначити", + "description": "опис", "display name": "показана назва", + "expanded": "розгорнуто", + "fill": "заливка", + "fill color": "колір заливки", + "fill opacity": "непрозорість заливки", "height": "висота", + "hidden": "приховано", + "iframe": "iframe", + "inherit": "успадковувати", "licence": "ліцензія", "max East": "макс. на схід", "max North": "макс. на північ", @@ -332,10 +355,21 @@ "max West": "макс. на захід", "max zoom": "максимальний масштаб", "min zoom": "мінімальний масштаб", + "name": "назва", + "never": "ніколи", + "new window": "new window", "next": "далі", + "no": "ні", + "on hover": "при наведенні", + "opacity": "непрозорість", + "parent window": "батьківське вікно", "previous": "назад", + "stroke": "штрихи", + "weight": "товщина", "width": "ширина", + "yes": "так", "{count} errors during import: {message}": "{count} помилок під час імпорту: {message}", + "{delay} seconds": "{delay} секунди", "Measure distances": "Виміряти відстань", "NM": "NM", "kilometers": "кілометрів", @@ -343,43 +377,14 @@ "mi": "миля", "miles": "миль", "nautical miles": "морських миль", - "{area} acres": "{area} акрів", - "{area} ha": "{area} гектар", - "{area} m²": "{area} м²", - "{area} mi²": "{area} миль²", - "{area} yd²": "{area} ярд²", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} км", - "{distance} m": "{distance} м", - "{distance} miles": "{distance} миль", - "{distance} yd": "{distance} ярдів", - "1 day": "1 день", - "1 hour": "1 година", - "5 min": "5 хвилин", - "Cache proxied request": "Кешувати запити", - "No cache": "Кешу немає", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Пропускаємо невідоме значення geometry.type: {type}", - "Optional.": "Необов’язково.", - "Paste your data here": "Вставте ваші дані тут", - "Please save the map first": "Спочатку збережіть вашу мапу", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} акрів", + "{area} ha": "{area} гектар", + "{area} m²": "{area} м²", + "{area} mi²": "{area} миль²", + "{area} yd²": "{area} ярд²", + "{distance} NM": "{distance} NM", + "{distance} km": "{distance} км", + "{distance} m": "{distance} м", + "{distance} miles": "{distance} миль", + "{distance} yd": "{distance} ярдів" } \ No newline at end of file diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index a3e7eeec..a50a571f 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Về", + "Action not allowed :(": "Hoạt động này không được phép", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Thêm một 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", "Add symbol": "Thêm một symbol", + "Advanced actions": "Hoat động nâng cao", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Thuộc tính nâng cao", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Cho phép thu phóng bằng chuột giữa?", + "An error occured": "Có lỗi", + "Are you sure you want to cancel your changes?": "Bạn có chắc muốn hủy các thay đổi?", + "Are you sure you want to clone this map and all its datalayers?": "Bạn có chắc muốn sao chép bản đồ này và các layer dữ liệu đi kèm với nó?", + "Are you sure you want to delete the feature?": "Bạn có chắc muốn xóa đối tượng này?", + "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?": "Bạn có chắc muốn xóa bản đồ này?", + "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", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Bóng", + "Bring feature to center": "Đặt đối tượng vào giữa", + "Browse data": "Mở dữ liệu", + "Cache proxied request": "Cache proxied request", "Cancel": "Hủy", + "Cancel edits": "Hủy các chỉnh sửa", "Caption": "Caption", + "Center map on your location": "Tạo bản đồ với vị trí của bạn", + "Change map background": "Thay đổi bản đồ nền", "Change symbol": "Thay đỏi symbol", + "Change tilelayers": "Thay đổi titlelayer", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer of the feature": "Chọn lớp chức năng", + "Choose the layer to import in": "Chọn lớp cần nhập vào", "Circle": "Vòng tròn", + "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": "Sao bản đồ này", + "Close": "Close", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Mặc định", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Xóa", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Xóa chức năng này", + "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": "Tắt chỉnh sửa", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Hiển thị khi tải", "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", @@ -27,131 +114,10 @@ var locale = { "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Bạn có muốn hiện thị bản đồ nhỏ hay không?", "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Bạn có muốn hiển thị thông báo ở dưới hay không?", "Do you want to display the scale control?": "Bạn có muốn hiện thị bảng mở rộng hay không?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Bỏ", - "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", - "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": "Về", - "Action not allowed :(": "Hoạt động này không được phép", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Thêm một 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": "Hoat động nâng cao", - "Advanced properties": "Thuộc tính nâng cao", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", - "An error occured": "Có lỗi", - "Are you sure you want to cancel your changes?": "Bạn có chắc muốn hủy các thay đổi?", - "Are you sure you want to clone this map and all its datalayers?": "Bạn có chắc muốn sao chép bản đồ này và các layer dữ liệu đi kèm với nó?", - "Are you sure you want to delete the feature?": "Bạn có chắc muốn xóa đối tượng này?", - "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?": "Bạn có chắc muốn xóa bản đồ này?", - "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": "Đặt đối tượng vào giữa", - "Browse data": "Mở dữ liệu", - "Cancel edits": "Hủy các chỉnh sửa", - "Center map on your location": "Tạo bản đồ với vị trí của bạn", - "Change map background": "Thay đổi bản đồ nền", - "Change tilelayers": "Thay đổi titlelayer", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Chọn định dạng tập tin", - "Choose the layer to import in": "Chọn lớp cần nhập vào", - "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": "Sao bản đồ này", - "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": "Xóa", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Xóa chức năng này", - "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": "Tắt chỉnh sửa", - "Display measure": "Display measure", - "Display on load": "Hiển thị khi tải", "Download": "Download", "Download data": "Tải dữ liệu", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "Vẽ điểm", "Draw a polygon": "Vẽ đa giác", "Draw a polyline": "Vẽ nhiều đường", + "Drop": "Bỏ", "Dynamic": "Động", "Dynamic properties": "Dynamic properties", "Edit": "Sửa", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Bật chức năng chỉnh sửa", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "Định dạng", "From zoom": "Phóng to từ", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Tới «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Help", "Hide controls": "Dấu bảng điều khiển", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ 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?": "Include full screen link?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", "Please choose a format": "Hãy chọn một định dạng", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ var locale = { "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ var locale = { "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("vi", locale); L.setLocale("vi"); \ No newline at end of file diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index 85d03250..f32273aa 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "Về", + "Action not allowed :(": "Hoạt động này không được phép", + "Activate slideshow mode": "Activate slideshow mode", + "Add a layer": "Thêm một 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", "Add symbol": "Thêm một symbol", + "Advanced actions": "Hoat động nâng cao", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Thuộc tính nâng cao", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Cho phép thu phóng bằng chuột giữa?", + "An error occured": "Có lỗi", + "Are you sure you want to cancel your changes?": "Bạn có chắc muốn hủy các thay đổi?", + "Are you sure you want to clone this map and all its datalayers?": "Bạn có chắc muốn sao chép bản đồ này và các layer dữ liệu đi kèm với nó?", + "Are you sure you want to delete the feature?": "Bạn có chắc muốn xóa đối tượng này?", + "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?": "Bạn có chắc muốn xóa bản đồ này?", + "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", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Bóng", + "Bring feature to center": "Đặt đối tượng vào giữa", + "Browse data": "Mở dữ liệu", + "Cache proxied request": "Cache proxied request", "Cancel": "Hủy", + "Cancel edits": "Hủy các chỉnh sửa", "Caption": "Caption", + "Center map on your location": "Tạo bản đồ với vị trí của bạn", + "Change map background": "Thay đổi bản đồ nền", "Change symbol": "Thay đỏi symbol", + "Change tilelayers": "Thay đổi titlelayer", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Chọn định dạng tập tin", "Choose the layer of the feature": "Chọn lớp chức năng", + "Choose the layer to import in": "Chọn lớp cần nhập vào", "Circle": "Vòng tròn", + "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": "Sao bản đồ này", + "Close": "Close", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Mặc định", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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": "Xóa", + "Delete all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "Xóa chức năng này", + "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": "Tắt chỉnh sửa", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "Hiển thị khi tải", "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", @@ -27,131 +114,10 @@ "Do you want to display a caption bar?": "Do you want to display a caption bar?", "Do you want to display a minimap?": "Bạn có muốn hiện thị bản đồ nhỏ hay không?", "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "Bạn có muốn hiển thị thông báo ở dưới hay không?", "Do you want to display the scale control?": "Bạn có muốn hiện thị bảng mở rộng hay không?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Bỏ", - "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", - "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": "Về", - "Action not allowed :(": "Hoạt động này không được phép", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Thêm một 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": "Hoat động nâng cao", - "Advanced properties": "Thuộc tính nâng cao", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", - "An error occured": "Có lỗi", - "Are you sure you want to cancel your changes?": "Bạn có chắc muốn hủy các thay đổi?", - "Are you sure you want to clone this map and all its datalayers?": "Bạn có chắc muốn sao chép bản đồ này và các layer dữ liệu đi kèm với nó?", - "Are you sure you want to delete the feature?": "Bạn có chắc muốn xóa đối tượng này?", - "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?": "Bạn có chắc muốn xóa bản đồ này?", - "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": "Đặt đối tượng vào giữa", - "Browse data": "Mở dữ liệu", - "Cancel edits": "Hủy các chỉnh sửa", - "Center map on your location": "Tạo bản đồ với vị trí của bạn", - "Change map background": "Thay đổi bản đồ nền", - "Change tilelayers": "Thay đổi titlelayer", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Chọn định dạng tập tin", - "Choose the layer to import in": "Chọn lớp cần nhập vào", - "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": "Sao bản đồ này", - "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": "Xóa", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Xóa chức năng này", - "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": "Tắt chỉnh sửa", - "Display measure": "Display measure", - "Display on load": "Hiển thị khi tải", "Download": "Download", "Download data": "Tải dữ liệu", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "Vẽ điểm", "Draw a polygon": "Vẽ đa giác", "Draw a polyline": "Vẽ nhiều đường", + "Drop": "Bỏ", "Dynamic": "Động", "Dynamic properties": "Dynamic properties", "Edit": "Sửa", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Bật chức năng chỉnh sửa", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "Định dạng", "From zoom": "Phóng to từ", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Tới «{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "Help", "Hide controls": "Dấu bảng điều khiển", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", "Please choose a format": "Hãy chọn một định dạng", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index 06ac92ab..b38c9acd 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- for an horizontal rule", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "关于", + "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": "Add a polygon to the current multi", "Add symbol": "增加符号", + "Advanced actions": "高级操作", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "高级属性", + "Advanced transition": "Advanced transition", + "All properties are imported.": "属性已导入。", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "是否允许滚轮缩放?", + "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 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?": "Are you sure you want to restore this version?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "自动", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "移到以对象为中心", + "Browse data": "浏览数据", + "Cache proxied request": "Cache proxied request", "Cancel": "取消", + "Cancel edits": "取消编辑", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "改变地图背景", "Change symbol": "改变符号", + "Change tilelayers": "改变瓦片图层", + "Choose a preset": "Choose a preset", "Choose the data format": "选择数据格式", + "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer of the feature": "选择要素的图层", + "Choose the layer to import in": "选择导入的图层", "Circle": "圆", + "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 of {name}": "Clone of {name}", + "Clone this feature": "Clone this feature", + "Clone this map": "复制地图", + "Close": "关闭", "Clustered": "Clustered", + "Clustering radius": "聚类半径", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "坐标", + "Credits": "Credits", + "Current view instead of default map view?": "使用当前视口替换默认地图视口?", + "Custom background": "自定义背景", + "Custom overlay": "Custom overlay", "Data browser": "数据浏览器", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "默认", + "Default interaction options": "Default interaction options", + "Default properties": "默认属性", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "默认:名称", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "删除对象", + "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": "方向", + "Disable editing": "不可编辑", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "加载时显示", "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", @@ -27,131 +114,10 @@ var locale = { "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 panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "你是否想要显示页脚?", "Do you want to display the scale control?": "是否显示比例尺控件?", "Do you want to display the «more» control?": "是否显示 «more» 控件?", - "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": "继承", - "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", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "Side panel", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "表格", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "颜色", - "dash array": "dash array", - "define": "define", - "description": "描述", - "expanded": "expanded", - "fill": "填充", - "fill color": "填充色", - "fill opacity": "透明", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "inherit", - "name": "名称", - "never": "never", - "new window": "new window", - "no": "否", - "on hover": "on hover", - "opacity": "不透明度", - "parent window": "parent window", - "stroke": "画笔", - "weight": "weight", - "yes": "是", - "{delay} seconds": "{delay} seconds", - "# 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": "--- 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": "关于", - "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": "Add a polygon to the current multi", - "Advanced actions": "高级操作", - "Advanced properties": "高级属性", - "Advanced transition": "Advanced transition", - "All properties are imported.": "属性已导入。", - "Allow interactions": "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 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?": "Are you sure you want to restore this version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "自动", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "移到以对象为中心", - "Browse data": "浏览数据", - "Cancel edits": "取消编辑", - "Center map on your location": "Center map on your location", - "Change map background": "改变地图背景", - "Change tilelayers": "改变瓦片图层", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "选择导入的数据格式", - "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 of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "复制地图", - "Close": "关闭", - "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": "坐标", - "Credits": "Credits", - "Current view instead of default map view?": "使用当前视口替换默认地图视口?", - "Custom background": "自定义背景", - "Data is browsable": "Data is browsable", - "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.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "删除", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "删除对象", - "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": "方向", - "Disable editing": "不可编辑", - "Display measure": "Display measure", - "Display on load": "加载时显示", "Download": "Download", "Download data": "下载数据", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "画标记", "Draw a polygon": "画多边形", "Draw a polyline": "画线", + "Drop": "Drop", "Dynamic": "动态", "Dynamic properties": "Dynamic properties", "Edit": "编辑", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "嵌入地图", "Empty": "空", "Enable editing": "可编辑", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "瓦片图层URL错误", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "格式", "From zoom": "From zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "转到«{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "帮助", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ var locale = { "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?", + "Inherit": "继承", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "纬度", "Layer": "图层", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "Merge lines", "More controls": "更多控件", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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 enter the name of the property": "请输入属性名称", "Please enter the new name of this property": "请输入属性的新名称", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 format": "响应内容格式问题", @@ -262,12 +262,17 @@ var locale = { "See all": "查看全部", "See data layers": "See data layers", "See full screen": "全屏", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "显示/隐藏图层", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "幻灯秀", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ var locale = { "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS格式", + "Table": "表格", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "放大", @@ -310,6 +318,7 @@ var locale = { "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "上一个", "Zoom to this feature": "缩放到该对象", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "属性", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "颜色", + "dash array": "dash array", + "define": "define", + "description": "描述", "display name": "显示名称", + "expanded": "expanded", + "fill": "填充", + "fill color": "填充色", + "fill opacity": "透明", "height": "高", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "东", "max North": "北", @@ -332,10 +355,21 @@ var locale = { "max West": "西", "max zoom": "最大缩放等级", "min zoom": "最小缩放等级", + "name": "名称", + "never": "never", + "new window": "new window", "next": "next", + "no": "否", + "on hover": "on hover", + "opacity": "不透明度", + "parent window": "parent window", "previous": "previous", + "stroke": "画笔", + "weight": "weight", "width": "宽", + "yes": "是", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,45 +377,16 @@ var locale = { "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" }; L.registerLocale("zh", locale); L.setLocale("zh"); \ No newline at end of file diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index addcdada..b8dba93c 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "--- for an horizontal rule", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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": "关于", + "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": "Add a polygon to the current multi", "Add symbol": "增加符号", + "Advanced actions": "高级操作", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "高级属性", + "Advanced transition": "Advanced transition", + "All properties are imported.": "属性已导入。", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "是否允许滚轮缩放?", + "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 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?": "Are you sure you want to restore this version?", + "Attach the map to my account": "Attach the map to my account", + "Auto": "自动", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "移到以对象为中心", + "Browse data": "浏览数据", + "Cache proxied request": "Cache proxied request", "Cancel": "取消", + "Cancel edits": "取消编辑", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "改变地图背景", "Change symbol": "改变符号", + "Change tilelayers": "改变瓦片图层", + "Choose a preset": "Choose a preset", "Choose the data format": "选择数据格式", + "Choose the format of the data to import": "选择导入的数据格式", "Choose the layer of the feature": "选择要素的图层", + "Choose the layer to import in": "选择导入的图层", "Circle": "圆", + "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 of {name}": "Clone of {name}", + "Clone this feature": "Clone this feature", + "Clone this map": "复制地图", + "Close": "关闭", "Clustered": "Clustered", + "Clustering radius": "聚类半径", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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": "坐标", + "Credits": "Credits", + "Current view instead of default map view?": "使用当前视口替换默认地图视口?", + "Custom background": "自定义背景", + "Custom overlay": "Custom overlay", "Data browser": "数据浏览器", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "默认", + "Default interaction options": "Default interaction options", + "Default properties": "默认属性", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "默认:名称", + "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 all layers": "Delete all layers", + "Delete layer": "Delete layer", + "Delete this feature": "删除对象", + "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": "方向", + "Disable editing": "不可编辑", "Display label": "Display label", + "Display measure": "Display measure", + "Display on load": "加载时显示", "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", @@ -27,131 +114,10 @@ "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 panel on load?": "Do you want to display a panel on load?", + "Do you want to display caption menus?": "Do you want to display caption menus?", "Do you want to display popup footer?": "你是否想要显示页脚?", "Do you want to display the scale control?": "是否显示比例尺控件?", "Do you want to display the «more» control?": "是否显示 «more» 控件?", - "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": "继承", - "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", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "Side panel", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "表格", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "颜色", - "dash array": "dash array", - "define": "define", - "description": "描述", - "expanded": "expanded", - "fill": "填充", - "fill color": "填充色", - "fill opacity": "透明", - "hidden": "hidden", - "iframe": "iframe", - "inherit": "inherit", - "name": "名称", - "never": "never", - "new window": "new window", - "no": "否", - "on hover": "on hover", - "opacity": "不透明度", - "parent window": "parent window", - "stroke": "画笔", - "weight": "weight", - "yes": "是", - "{delay} seconds": "{delay} seconds", - "# 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": "--- 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": "关于", - "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": "Add a polygon to the current multi", - "Advanced actions": "高级操作", - "Advanced properties": "高级属性", - "Advanced transition": "Advanced transition", - "All properties are imported.": "属性已导入。", - "Allow interactions": "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 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?": "Are you sure you want to restore this version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "自动", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "移到以对象为中心", - "Browse data": "浏览数据", - "Cancel edits": "取消编辑", - "Center map on your location": "Center map on your location", - "Change map background": "改变地图背景", - "Change tilelayers": "改变瓦片图层", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "选择导入的数据格式", - "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 of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "复制地图", - "Close": "关闭", - "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": "坐标", - "Credits": "Credits", - "Current view instead of default map view?": "使用当前视口替换默认地图视口?", - "Custom background": "自定义背景", - "Data is browsable": "Data is browsable", - "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.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "删除", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "删除对象", - "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": "方向", - "Disable editing": "不可编辑", - "Display measure": "Display measure", - "Display on load": "加载时显示", "Download": "Download", "Download data": "下载数据", "Drag to reorder": "Drag to reorder", @@ -159,6 +125,7 @@ "Draw a marker": "画标记", "Draw a polygon": "画多边形", "Draw a polyline": "画线", + "Drop": "Drop", "Dynamic": "动态", "Dynamic properties": "Dynamic properties", "Edit": "编辑", @@ -172,23 +139,31 @@ "Embed the map": "嵌入地图", "Empty": "空", "Enable editing": "可编辑", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "瓦片图层URL错误", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", "Filter…": "Filter…", "Format": "格式", "From zoom": "From zoom", "Full map data": "Full map data", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "转到«{feature}»", + "Heatmap": "Heatmap", "Heatmap intensity property": "Heatmap intensity property", "Heatmap radius": "Heatmap radius", "Help": "帮助", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "继承", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "纬度", "Layer": "图层", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "Merge lines": "Merge lines", "More controls": "更多控件", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", + "No cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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 enter the name of the property": "请输入属性名称", "Please enter the new name of this property": "请输入属性的新名称", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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 format": "响应内容格式问题", @@ -262,12 +262,17 @@ "See all": "查看全部", "See data layers": "See data layers", "See full screen": "全屏", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "显示/隐藏图层", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "幻灯秀", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS格式", + "Table": "表格", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "放大", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "上一个", "Zoom to this feature": "缩放到该对象", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "属性", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "颜色", + "dash array": "dash array", + "define": "define", + "description": "描述", "display name": "显示名称", + "expanded": "expanded", + "fill": "填充", + "fill color": "填充色", + "fill opacity": "透明", "height": "高", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "东", "max North": "北", @@ -332,10 +355,21 @@ "max West": "西", "max zoom": "最大缩放等级", "min zoom": "最小缩放等级", + "name": "名称", + "never": "never", + "new window": "new window", "next": "next", + "no": "否", + "on hover": "on hover", + "opacity": "不透明度", + "parent window": "parent window", "previous": "previous", + "stroke": "画笔", + "weight": "weight", "width": "宽", + "yes": "是", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ No newline at end of file diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index d0c032b0..768dcc18 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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", + "1 day": "1 day", + "1 hour": "1 hour", + "5 min": "5 min", + "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", "Add symbol": "Add symbol", + "Advanced actions": "Advanced actions", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "Advanced properties", + "Advanced transition": "Advanced transition", + "All properties are imported.": "All properties are imported.", + "Allow interactions": "Allow interactions", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "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", + "Auto": "Auto", "Automatic": "Automatic", + "Autostart when map is loaded": "Autostart when map is loaded", + "Background overlay url": "Background overlay url", "Ball": "Ball", + "Bring feature to center": "Bring feature to center", + "Browse data": "Browse data", + "Cache proxied request": "Cache proxied request", "Cancel": "Cancel", + "Cancel edits": "Cancel edits", "Caption": "Caption", + "Center map on your location": "Center map on your location", + "Change map background": "Change map background", "Change symbol": "Change symbol", + "Change tilelayers": "Change tilelayers", + "Choose a preset": "Choose a preset", "Choose the data format": "Choose the data format", + "Choose the format of the data to import": "Choose the format of the data to import", "Choose the layer of the feature": "Choose the layer of the feature", + "Choose the layer to import in": "Choose the layer to import in", "Circle": "Circle", + "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", "Clustered": "Clustered", + "Clustering radius": "Clustering radius", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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", + "Custom overlay": "Custom overlay", "Data browser": "Data browser", + "Data filters": "Data filters", + "Data is browsable": "Data is browsable", "Default": "Default", + "Default interaction options": "Default interaction options", + "Default properties": "Default properties", + "Default shape properties": "Default shape properties", "Default zoom level": "Default zoom level", "Default: name": "Default: name", + "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 label": "Display label", + "Display measure": "Display measure", + "Display on load": "Display on load", "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", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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", - "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", - "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", @@ -159,6 +125,7 @@ "Draw a marker": "Draw a marker", "Draw a polygon": "Draw a polygon", "Draw a polyline": "Draw a polyline", + "Drop": "Drop", "Dynamic": "Dynamic", "Dynamic properties": "Dynamic properties", "Edit": "Edit", @@ -172,23 +139,31 @@ "Embed the map": "Embed the map", "Empty": "Empty", "Enable editing": "Enable editing", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "Error in the tilelayer URL", "Error while fetching {url}": "Error while fetching {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "Exit Fullscreen", "Extract shape to separate feature": "Extract shape to separate feature", + "Feature identifier key": "Feature identifier key", "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", + "GeoRSS (only link)": "GeoRSS (only link)", + "GeoRSS (title + image)": "GeoRSS (title + image)", "Go to «{feature}»": "Go to «{feature}»", + "Heatmap": "Heatmap", "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)", + "Icon shape": "Icon shape", + "Icon symbol": "Icon symbol", "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}}}", @@ -201,10 +176,16 @@ "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?", + "Inherit": "Inherit", "Interaction options": "Interaction options", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "Keep current visible layers", + "Label direction": "Label direction", + "Label key": "Label key", + "Labels are clickable": "Labels are clickable", "Latitude": "Latitude", "Layer": "Layer", "Layer properties": "Layer properties", @@ -225,20 +206,39 @@ "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 cache": "No cache", "No licence has been set": "No licence has been set", "No results": "No results", + "No results for these filters": "No results for these filters", + "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", "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Open current feature on load": "Open current feature on load", "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.": "Optional.", "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)", + "Paste your data here": "Paste your data here", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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", + "Please save the map first": "Please save the map first", + "Popup": "Popup", + "Popup (large)": "Popup (large)", + "Popup content style": "Popup content style", + "Popup content template": "Popup content template", + "Popup shape": "Popup shape", "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", @@ -262,12 +262,17 @@ "See all": "See all", "See data layers": "See data layers", "See full screen": "See full screen", + "Select data": "Select data", "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…", + "Set symbol": "Set symbol", "Shape properties": "Shape properties", "Short URL": "Short URL", "Short credits": "Short credits", "Show/hide layer": "Show/hide layer", + "Side panel": "Side panel", "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Simplify": "Simplify", + "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Slideshow": "Slideshow", "Smart transitions": "Smart transitions", "Sort key": "Sort key", @@ -280,10 +285,13 @@ "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.", + "Symbol or url": "Symbol or url", "TMS format": "TMS format", + "Table": "Table", "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 name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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", @@ -310,6 +318,7 @@ "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 permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.", @@ -321,10 +330,24 @@ "Zoom to the previous": "Zoom to the previous", "Zoom to this feature": "Zoom to this feature", "Zoom to this place": "Zoom to this place", + "always": "always", "attribution": "attribution", "by": "by", + "clear": "clear", + "collapsed": "collapsed", + "color": "color", + "dash array": "dash array", + "define": "define", + "description": "description", "display name": "display name", + "expanded": "expanded", + "fill": "fill", + "fill color": "fill color", + "fill opacity": "fill opacity", "height": "height", + "hidden": "hidden", + "iframe": "iframe", + "inherit": "inherit", "licence": "licence", "max East": "max East", "max North": "max North", @@ -332,10 +355,21 @@ "max West": "max West", "max zoom": "max zoom", "min zoom": "min zoom", + "name": "name", + "never": "never", + "new window": "new window", "next": "next", + "no": "no", + "on hover": "on hover", + "opacity": "opacity", + "parent window": "parent window", "previous": "previous", + "stroke": "stroke", + "weight": "weight", "width": "width", + "yes": "yes", "{count} errors during import: {message}": "{count} errors during import: {message}", + "{delay} seconds": "{delay} seconds", "Measure distances": "Measure distances", "NM": "NM", "kilometers": "kilometers", @@ -343,43 +377,14 @@ "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", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{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" } \ 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 62ac1eaf..93de2957 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -1,20 +1,107 @@ var locale = { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "-- 代表水平線", + "1 day": "1日", + "1 hour": "1小時", + "5 min": "5分", + "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": "開啟幻燈片模式", + "Add a layer": "新增圖層", + "Add a line to the current multi": "新增線段", + "Add a new property": "新增屬性", + "Add a polygon to the current multi": "新增多邊形", "Add symbol": "新增圖示", + "Advanced actions": "進階動作", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "進階屬性", + "Advanced transition": "進階轉換", + "All properties are imported.": "所有物件皆已匯入", + "Allow interactions": "允許互動", "Allow scroll wheel zoom?": "允許捲動放大?", + "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": "自動", "Automatic": "自動", + "Autostart when map is loaded": "當讀取地圖時自動啟動", + "Background overlay url": "Background overlay url", "Ball": "球", + "Bring feature to center": "將圖徵置中", + "Browse data": "瀏覽資料", + "Cache proxied request": "快取代理請求", "Cancel": "取消", + "Cancel edits": "取消編輯", "Caption": "標題", + "Center map on your location": "將您的位置設為地圖中心", + "Change map background": "更改地圖背景", "Change symbol": "更改圖示", + "Change tilelayers": "改變地圖磚圖層", + "Choose a preset": "選擇一種預設值", "Choose the data format": "選擇資料格式", + "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer of the feature": "選擇圖徵的圖層", + "Choose the layer to import in": "選擇匯入圖層", "Circle": "圓圈", + "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": "點選開始繪製多邊形", + "Clone": "複製", + "Clone of {name}": "複製 {name}", + "Clone this feature": "複製此項目", + "Clone this map": "複製此地圖", + "Close": "關閉", "Clustered": "群集後", + "Clustering radius": "群集分析半徑", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "使用逗號、定位鍵或是分號分隔的地理數據。預設座標系為 SRS WGS84。只會匯入地理座標點。匯入時抓取 «lat» 與 «lon» 開頭的欄位資料,不分大小寫。其他欄位則歸入屬性資料。", + "Continue line": "連續線段", + "Continue line (Ctrl+Click)": "連續線(Ctrl+點擊鍵)", + "Coordinates": "座標", + "Credits": "工作人員名單", + "Current view instead of default map view?": "將目前視點設為預設視點?", + "Custom background": "自訂背景", + "Custom overlay": "Custom overlay", "Data browser": "資料檢視器", + "Data filters": "Data filters", + "Data is browsable": "資料是可檢視的", "Default": "預設", + "Default interaction options": "預設互動選項", + "Default properties": "預設屬性", + "Default shape properties": "預設形狀屬性", "Default zoom level": "預設縮放等級", "Default: name": "預設: name", + "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 property on all the features": "從所有圖徵中刪除此屬性", + "Delete this shape": "刪除外形", + "Delete this vertex (Alt+Click)": "刪除頂點 (Alt+Click)", + "Directions from here": "從此處開始導航", + "Disable editing": "停用編輯功能", "Display label": "顯示標籤", + "Display measure": "Display measure", + "Display on load": "載入時顯示", "Display the control to open OpenStreetMap editor": "顯示開啟開放街圖編輯器的按鍵", "Display the data layers control": "顯示資料圖層鍵", "Display the embed control": "顯示嵌入鍵", @@ -27,131 +114,10 @@ var locale = { "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 caption menus?": "Do you want to display caption menus?", "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": "標籤可點擊", - "None": "以上皆非", - "On the bottom": "在底部", - "On the left": "在左側", - "On the right": "在右側", - "On the top": "在頂部", - "Popup content template": "彈出內文範本", - "Set symbol": "設定標誌", - "Side panel": "側邊框", - "Simplify": "簡化", - "Symbol or url": "標誌或URL地址", - "Table": "表格", - "always": "經常", - "clear": "清除", - "collapsed": "收起", - "color": "色彩", - "dash array": "虛線排列", - "define": "定義", - "description": "描述", - "expanded": "展開", - "fill": "填入", - "fill color": "填入色彩", - "fill opacity": "填入不透明度", - "hidden": "隱藏", - "iframe": "iframe", - "inherit": "繼承", - "name": "名稱", - "never": "永不", - "new window": "新視窗", - "no": "否", - "on hover": "當滑過時", - "opacity": "不透明度", - "parent window": "父視窗", - "stroke": "筆畫粗細", - "weight": "寬度", - "yes": "是", - "{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\"。", - "About": "關於", - "Action not allowed :(": "行為不被允許:(", - "Activate slideshow mode": "開啟幻燈片模式", - "Add a layer": "新增圖層", - "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": "將地圖加入到我的帳號", - "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": "點擊以繼續繪製", - "Click to edit": "點擊開始編輯", - "Click to start drawing a line": "點擊以開始繪製直線", - "Click to start drawing a polygon": "點選開始繪製多邊形", - "Clone": "複製", - "Clone of {name}": "複製 {name}", - "Clone this feature": "複製此項目", - "Clone this map": "複製此地圖", - "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.": "使用逗號、定位鍵或是分號分隔的地理數據。預設座標系為 SRS WGS84。只會匯入地理座標點。匯入時抓取 «lat» 與 «lon» 開頭的欄位資料,不分大小寫。其他欄位則歸入屬性資料。", - "Continue line": "連續線段", - "Continue line (Ctrl+Click)": "連續線(Ctrl+點擊鍵)", - "Coordinates": "座標", - "Credits": "工作人員名單", - "Current view instead of default map view?": "將目前視點設為預設視點?", - "Custom background": "自訂背景", - "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": "刪除", - "Delete all layers": "刪除所有圖層", - "Delete layer": "刪除圖層", - "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 measure", - "Display on load": "載入時顯示", "Download": "下載", "Download data": "下載資料", "Drag to reorder": "拖拽以排序", @@ -159,6 +125,7 @@ var locale = { "Draw a marker": "描繪標記", "Draw a polygon": "描繪多邊形", "Draw a polyline": "描繪折線", + "Drop": "中止", "Dynamic": "動態", "Dynamic properties": "動態屬性", "Edit": "編輯", @@ -172,23 +139,31 @@ var locale = { "Embed the map": "嵌入地圖", "Empty": "空白", "Enable editing": "啟用編輯功能", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "地圖磚圖層 URL 錯誤", "Error while fetching {url}": "擷取網址時發生錯誤 {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "結束全螢幕模式", "Extract shape to separate feature": "由外形分離出圖徵", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "每次地圖檢視改變時截取資料。", "Filter keys": "篩選鍵", "Filter…": "篩選器", "Format": "格式", "From zoom": "由縮放大小", "Full map data": "全部地圖資料", + "GeoRSS (only link)": "GeoRSS (只有連結)", + "GeoRSS (title + image)": "GeoRSS (標題與圖片)", "Go to «{feature}»": "轉至 «{feature}»", + "Heatmap": "熱點圖", "Heatmap intensity property": "熱點圖強度屬性", "Heatmap radius": "熱點圖半徑", "Help": "幫助", "Hide controls": "隱藏控制列", "Home": "首頁", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "在不同縮放比例下,多邊形的精簡程度 (精簡越多有較好的效率、多邊形越平滑,精簡越少圖形越精確)", + "Icon shape": "圖示圖形", + "Icon symbol": "圖示標誌", "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}}}", @@ -201,10 +176,16 @@ var locale = { "Import in a new layer": "匯入至新圖層", "Imports all umap data, including layers and settings.": "匯入所有 umap 資料,包含圖層與設定。", "Include full screen link?": "是否包含全螢幕的連結?", + "Inherit": "繼承", "Interaction options": "互動選項", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "無效的 umap 資料", "Invalid umap data in {filename}": "無效的 umap 資料於檔案 {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "保留目前可見圖層", + "Label direction": "標籤方向", + "Label key": "標籤鍵", + "Labels are clickable": "標籤可點擊", "Latitude": "緯度", "Layer": "圖層", "Layer properties": "圖層屬性", @@ -225,20 +206,39 @@ var locale = { "Merge lines": "合併線段", "More controls": "更多控制項目", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "必須是有效的 CSS 值 (例如:DarkBlue 或是 #123456)", + "No cache": "沒有快取内容", "No licence has been set": "尚未設定授權條例", "No results": "沒有結果", + "No results for these filters": "No results for these filters", + "None": "以上皆非", + "On the bottom": "在底部", + "On the left": "在左側", + "On the right": "在右側", + "On the top": "在頂部", "Only visible features will be downloaded.": "只有可見的圖徵會被下載", + "Open current feature on load": "Open current feature on load", "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": "選用的熱圖 heatmap 強度屬性", + "Optional.": "可選", "Optional. Same as color if not set.": "可選,若您未選取顏色,則採用預設值", "Override clustering radius (default 80)": "覆蓋群集分析半徑 (預設80)", "Override heatmap radius (default 25)": "覆蓋指定熱圖 heatmap 半徑 (預設 25)", + "Paste your data here": "請在此貼上你的資料", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "請輸入新的物件名稱", + "Please save the map first": "請先儲存地圖", + "Popup": "彈出式視窗", + "Popup (large)": "彈出式視窗 (大)", + "Popup content style": "彈出式視窗内容樣式", + "Popup content template": "彈出內文範本", + "Popup shape": "彈出式視窗形狀", "Powered by Leaflet and Django, glued by uMap project.": "使用 LeafletDjango 技術﹐由 uMap 計畫 整合。", "Problem in the response": "回應出現錯誤", "Problem in the response format": "回應的格式出現錯誤", @@ -262,12 +262,17 @@ var locale = { "See all": "觀看完整內容", "See data layers": "檢視資料圖層", "See full screen": "觀看全螢幕", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "設定為假時,在幻燈片時、資料檢視器和彈出式導航中可將此圖層隱藏...", + "Set symbol": "設定標誌", "Shape properties": "形狀屬性", "Short URL": "短網址", "Short credits": "簡短工作人員名單", "Show/hide layer": "顯示/隱藏圖層", + "Side panel": "側邊框", "Simple link: [[http://example.com]]": "簡單連結: [[http://example.com]]", + "Simplify": "簡化", + "Skipping unknown geometry.type: {type}": "略過不明的 geometry.type: {type}", "Slideshow": "投影片", "Smart transitions": "智慧轉換", "Sort key": "排序鍵", @@ -280,10 +285,13 @@ var locale = { "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.": "屬性標誌 (symbol) 可以是任一Unicode字元或URL地址。你可以使用項目屬性 (feature properties) 作為變數,如:\"http://myserver.org/images/{name}.png\" 北一URL中,變數 {name} 將會由各標記 (marker) 的 \"name\" 數值取代。", + "Symbol or url": "標誌或URL地址", "TMS format": "TMS 格式", + "Table": "表格", "Text color for the cluster label": "叢集標籤的文字顏色", "Text formatting": "文字格式", "The name of the property to use as feature label (ex.: \"nom\")": "用作圖徵標籤的屬性名稱 (例如:“nom”)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "至縮放大小", @@ -310,6 +318,7 @@ var locale = { "Who can edit": "誰可以編輯", "Who can view": "誰可以檢視", "Will be displayed in the bottom right corner of the map": "將會顯示在地圖的右下角", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "糟糕,好像有人正在進行編輯,您仍可儲存資料,但您做的變更將被他人修改取代。", "You have unsaved changes.": "您有變更尚未儲存", @@ -321,10 +330,24 @@ var locale = { "Zoom to the previous": "切換至前一頁", "Zoom to this feature": "縮放至圖徵範圍", "Zoom to this place": "縮放到這個地方", + "always": "經常", "attribution": "表彰", "by": "由", + "clear": "清除", + "collapsed": "收起", + "color": "色彩", + "dash array": "虛線排列", + "define": "定義", + "description": "描述", "display name": "顯示名稱", + "expanded": "展開", + "fill": "填入", + "fill color": "填入色彩", + "fill opacity": "填入不透明度", "height": "高度", + "hidden": "隱藏", + "iframe": "iframe", + "inherit": "繼承", "licence": "授權", "max East": "最東方", "max North": "最北方", @@ -332,10 +355,21 @@ var locale = { "max West": "最西方", "max zoom": "放到最大", "min zoom": "縮至最小", + "name": "名稱", + "never": "永不", + "new window": "新視窗", "next": "下一個", + "no": "否", + "on hover": "當滑過時", + "opacity": "不透明度", + "parent window": "父視窗", "previous": "前一個", + "stroke": "筆畫粗細", + "weight": "寬度", "width": "寬度", + "yes": "是", "{count} errors during import: {message}": "於匯入時發生 {count} 項錯誤: {message}", + "{delay} seconds": "{delay} 秒", "Measure distances": "測量距離", "NM": "NM", "kilometers": "公里", @@ -343,45 +377,16 @@ var locale = { "mi": "mi", "miles": "英里", "nautical miles": "海里", - "{area} acres": "{area} ac", - "{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} mi", - "{distance} yd": "{distance} yd", - "1 day": "1日", - "1 hour": "1小時", - "5 min": "5分", - "Cache proxied request": "快取代理請求", - "No cache": "沒有快取内容", - "Popup": "彈出式視窗", - "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": "請先儲存地圖", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} ac", + "{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} mi", + "{distance} yd": "{distance} yd" }; L.registerLocale("zh_TW", locale); L.setLocale("zh_TW"); \ No newline at end of file diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 9ce03d2e..ca56477d 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -1,20 +1,107 @@ { + " (area: {measure})": "(area: {measure})", + " (length: {measure})": "(length: {measure})", + "# 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": "-- 代表水平線", + "1 day": "1日", + "1 hour": "1小時", + "5 min": "5分", + "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": "開啟幻燈片模式", + "Add a layer": "新增圖層", + "Add a line to the current multi": "新增線段", + "Add a new property": "新增屬性", + "Add a polygon to the current multi": "新增多邊形", "Add symbol": "新增圖示", + "Advanced actions": "進階動作", + "Advanced filter keys": "Advanced filter keys", + "Advanced properties": "進階屬性", + "Advanced transition": "進階轉換", + "All properties are imported.": "所有物件皆已匯入", + "Allow interactions": "允許互動", "Allow scroll wheel zoom?": "允許捲動放大?", + "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": "自動", "Automatic": "自動", + "Autostart when map is loaded": "當讀取地圖時自動啟動", + "Background overlay url": "Background overlay url", "Ball": "球", + "Bring feature to center": "將圖徵置中", + "Browse data": "瀏覽資料", + "Cache proxied request": "快取代理請求", "Cancel": "取消", + "Cancel edits": "取消編輯", "Caption": "標題", + "Center map on your location": "將您的位置設為地圖中心", + "Change map background": "更改地圖背景", "Change symbol": "更改圖示", + "Change tilelayers": "改變地圖磚圖層", + "Choose a preset": "選擇一種預設值", "Choose the data format": "選擇資料格式", + "Choose the format of the data to import": "選擇匯入的資料格式", "Choose the layer of the feature": "選擇圖徵的圖層", + "Choose the layer to import in": "選擇匯入圖層", "Circle": "圓圈", + "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": "點選開始繪製多邊形", + "Clone": "複製", + "Clone of {name}": "複製 {name}", + "Clone this feature": "複製此項目", + "Clone this map": "複製此地圖", + "Close": "關閉", "Clustered": "群集後", + "Clustering radius": "群集分析半徑", + "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", + "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.": "使用逗號、定位鍵或是分號分隔的地理數據。預設座標系為 SRS WGS84。只會匯入地理座標點。匯入時抓取 «lat» 與 «lon» 開頭的欄位資料,不分大小寫。其他欄位則歸入屬性資料。", + "Continue line": "連續線段", + "Continue line (Ctrl+Click)": "連續線(Ctrl+點擊鍵)", + "Coordinates": "座標", + "Credits": "工作人員名單", + "Current view instead of default map view?": "將目前視點設為預設視點?", + "Custom background": "自訂背景", + "Custom overlay": "Custom overlay", "Data browser": "資料檢視器", + "Data filters": "Data filters", + "Data is browsable": "資料是可檢視的", "Default": "預設", + "Default interaction options": "預設互動選項", + "Default properties": "預設屬性", + "Default shape properties": "預設形狀屬性", "Default zoom level": "預設縮放等級", "Default: name": "預設: name", + "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 property on all the features": "從所有圖徵中刪除此屬性", + "Delete this shape": "刪除外形", + "Delete this vertex (Alt+Click)": "刪除頂點 (Alt+Click)", + "Directions from here": "從此處開始導航", + "Disable editing": "停用編輯功能", "Display label": "顯示標籤", + "Display measure": "Display measure", + "Display on load": "載入時顯示", "Display the control to open OpenStreetMap editor": "顯示開啟開放街圖編輯器的按鍵", "Display the data layers control": "顯示資料圖層鍵", "Display the embed control": "顯示嵌入鍵", @@ -27,131 +114,10 @@ "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 caption menus?": "Do you want to display caption menus?", "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": "標籤可點擊", - "None": "以上皆非", - "On the bottom": "在底部", - "On the left": "在左側", - "On the right": "在右側", - "On the top": "在頂部", - "Popup content template": "彈出內文範本", - "Set symbol": "設定標誌", - "Side panel": "側邊框", - "Simplify": "簡化", - "Symbol or url": "標誌或URL地址", - "Table": "表格", - "always": "經常", - "clear": "清除", - "collapsed": "收起", - "color": "色彩", - "dash array": "虛線排列", - "define": "定義", - "description": "描述", - "expanded": "展開", - "fill": "填入", - "fill color": "填入色彩", - "fill opacity": "填入不透明度", - "hidden": "隱藏", - "iframe": "iframe", - "inherit": "繼承", - "name": "名稱", - "never": "永不", - "new window": "新視窗", - "no": "否", - "on hover": "當滑過時", - "opacity": "不透明度", - "parent window": "父視窗", - "stroke": "筆畫粗細", - "weight": "寬度", - "yes": "是", - "{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\"。", - "About": "關於", - "Action not allowed :(": "行為不被允許:(", - "Activate slideshow mode": "開啟幻燈片模式", - "Add a layer": "新增圖層", - "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": "將地圖加入到我的帳號", - "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": "點擊以繼續繪製", - "Click to edit": "點擊開始編輯", - "Click to start drawing a line": "點擊以開始繪製直線", - "Click to start drawing a polygon": "點選開始繪製多邊形", - "Clone": "複製", - "Clone of {name}": "複製 {name}", - "Clone this feature": "複製此項目", - "Clone this map": "複製此地圖", - "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.": "使用逗號、定位鍵或是分號分隔的地理數據。預設座標系為 SRS WGS84。只會匯入地理座標點。匯入時抓取 «lat» 與 «lon» 開頭的欄位資料,不分大小寫。其他欄位則歸入屬性資料。", - "Continue line": "連續線段", - "Continue line (Ctrl+Click)": "連續線(Ctrl+點擊鍵)", - "Coordinates": "座標", - "Credits": "工作人員名單", - "Current view instead of default map view?": "將目前視點設為預設視點?", - "Custom background": "自訂背景", - "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": "刪除", - "Delete all layers": "刪除所有圖層", - "Delete layer": "刪除圖層", - "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 measure", - "Display on load": "載入時顯示", "Download": "下載", "Download data": "下載資料", "Drag to reorder": "拖拽以排序", @@ -159,6 +125,7 @@ "Draw a marker": "描繪標記", "Draw a polygon": "描繪多邊形", "Draw a polyline": "描繪折線", + "Drop": "中止", "Dynamic": "動態", "Dynamic properties": "動態屬性", "Edit": "編輯", @@ -172,23 +139,31 @@ "Embed the map": "嵌入地圖", "Empty": "空白", "Enable editing": "啟用編輯功能", + "Error in the overlay URL": "Error in the overlay URL", "Error in the tilelayer URL": "地圖磚圖層 URL 錯誤", "Error while fetching {url}": "擷取網址時發生錯誤 {url}", + "Example: key1,key2,key3": "Example: key1,key2,key3", "Exit Fullscreen": "結束全螢幕模式", "Extract shape to separate feature": "由外形分離出圖徵", + "Feature identifier key": "Feature identifier key", "Fetch data each time map view changes.": "每次地圖檢視改變時截取資料。", "Filter keys": "篩選鍵", "Filter…": "篩選器", "Format": "格式", "From zoom": "由縮放大小", "Full map data": "全部地圖資料", + "GeoRSS (only link)": "GeoRSS (只有連結)", + "GeoRSS (title + image)": "GeoRSS (標題與圖片)", "Go to «{feature}»": "轉至 «{feature}»", + "Heatmap": "熱點圖", "Heatmap intensity property": "熱點圖強度屬性", "Heatmap radius": "熱點圖半徑", "Help": "幫助", "Hide controls": "隱藏控制列", "Home": "首頁", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "在不同縮放比例下,多邊形的精簡程度 (精簡越多有較好的效率、多邊形越平滑,精簡越少圖形越精確)", + "Icon shape": "圖示圖形", + "Icon symbol": "圖示標誌", "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}}}", @@ -201,10 +176,16 @@ "Import in a new layer": "匯入至新圖層", "Imports all umap data, including layers and settings.": "匯入所有 umap 資料,包含圖層與設定。", "Include full screen link?": "是否包含全螢幕的連結?", + "Inherit": "繼承", "Interaction options": "互動選項", + "Invalid latitude or longitude": "Invalid latitude or longitude", "Invalid umap data": "無效的 umap 資料", "Invalid umap data in {filename}": "無效的 umap 資料於檔案 {filename}", + "Invalide property name: {name}": "Invalide property name: {name}", "Keep current visible layers": "保留目前可見圖層", + "Label direction": "標籤方向", + "Label key": "標籤鍵", + "Labels are clickable": "標籤可點擊", "Latitude": "緯度", "Layer": "圖層", "Layer properties": "圖層屬性", @@ -225,20 +206,39 @@ "Merge lines": "合併線段", "More controls": "更多控制項目", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "必須是有效的 CSS 值 (例如:DarkBlue 或是 #123456)", + "No cache": "沒有快取内容", "No licence has been set": "尚未設定授權條例", "No results": "沒有結果", + "No results for these filters": "No results for these filters", + "None": "以上皆非", + "On the bottom": "在底部", + "On the left": "在左側", + "On the right": "在右側", + "On the top": "在頂部", "Only visible features will be downloaded.": "只有可見的圖徵會被下載", + "Open current feature on load": "Open current feature on load", "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": "選用的熱圖 heatmap 強度屬性", + "Optional.": "可選", "Optional. Same as color if not set.": "可選,若您未選取顏色,則採用預設值", "Override clustering radius (default 80)": "覆蓋群集分析半徑 (預設80)", "Override heatmap radius (default 25)": "覆蓋指定熱圖 heatmap 半徑 (預設 25)", + "Paste your data here": "請在此貼上你的資料", + "Permalink": "Permalink", + "Permanent credits": "Permanent credits", + "Permanent credits background": "Permanent credits background", "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": "請輸入新的物件名稱", + "Please save the map first": "請先儲存地圖", + "Popup": "彈出式視窗", + "Popup (large)": "彈出式視窗 (大)", + "Popup content style": "彈出式視窗内容樣式", + "Popup content template": "彈出內文範本", + "Popup shape": "彈出式視窗形狀", "Powered by Leaflet and Django, glued by uMap project.": "使用 LeafletDjango 技術﹐由 uMap 計畫 整合。", "Problem in the response": "回應出現錯誤", "Problem in the response format": "回應的格式出現錯誤", @@ -262,12 +262,17 @@ "See all": "觀看完整內容", "See data layers": "檢視資料圖層", "See full screen": "觀看全螢幕", + "Select data": "Select data", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "設定為假時,在幻燈片時、資料檢視器和彈出式導航中可將此圖層隱藏...", + "Set symbol": "設定標誌", "Shape properties": "形狀屬性", "Short URL": "短網址", "Short credits": "簡短工作人員名單", "Show/hide layer": "顯示/隱藏圖層", + "Side panel": "側邊框", "Simple link: [[http://example.com]]": "簡單連結: [[http://example.com]]", + "Simplify": "簡化", + "Skipping unknown geometry.type: {type}": "略過不明的 geometry.type: {type}", "Slideshow": "投影片", "Smart transitions": "智慧轉換", "Sort key": "排序鍵", @@ -280,10 +285,13 @@ "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.": "屬性標誌 (symbol) 可以是任一Unicode字元或URL地址。你可以使用項目屬性 (feature properties) 作為變數,如:\"http://myserver.org/images/{name}.png\" 北一URL中,變數 {name} 將會由各標記 (marker) 的 \"name\" 數值取代。", + "Symbol or url": "標誌或URL地址", "TMS format": "TMS 格式", + "Table": "表格", "Text color for the cluster label": "叢集標籤的文字顏色", "Text formatting": "文字格式", "The name of the property to use as feature label (ex.: \"nom\")": "用作圖徵標籤的屬性名稱 (例如:“nom”)", + "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier.", "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": "至縮放大小", @@ -310,6 +318,7 @@ "Who can edit": "誰可以編輯", "Who can view": "誰可以檢視", "Will be displayed in the bottom right corner of the map": "將會顯示在地圖的右下角", + "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left 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.": "糟糕,好像有人正在進行編輯,您仍可儲存資料,但您做的變更將被他人修改取代。", "You have unsaved changes.": "您有變更尚未儲存", @@ -321,10 +330,24 @@ "Zoom to the previous": "切換至前一頁", "Zoom to this feature": "縮放至圖徵範圍", "Zoom to this place": "縮放到這個地方", + "always": "經常", "attribution": "表彰", "by": "由", + "clear": "清除", + "collapsed": "收起", + "color": "色彩", + "dash array": "虛線排列", + "define": "定義", + "description": "描述", "display name": "顯示名稱", + "expanded": "展開", + "fill": "填入", + "fill color": "填入色彩", + "fill opacity": "填入不透明度", "height": "高度", + "hidden": "隱藏", + "iframe": "iframe", + "inherit": "繼承", "licence": "授權", "max East": "最東方", "max North": "最北方", @@ -332,10 +355,21 @@ "max West": "最西方", "max zoom": "放到最大", "min zoom": "縮至最小", + "name": "名稱", + "never": "永不", + "new window": "新視窗", "next": "下一個", + "no": "否", + "on hover": "當滑過時", + "opacity": "不透明度", + "parent window": "父視窗", "previous": "前一個", + "stroke": "筆畫粗細", + "weight": "寬度", "width": "寬度", + "yes": "是", "{count} errors during import: {message}": "於匯入時發生 {count} 項錯誤: {message}", + "{delay} seconds": "{delay} 秒", "Measure distances": "測量距離", "NM": "NM", "kilometers": "公里", @@ -343,43 +377,14 @@ "mi": "mi", "miles": "英里", "nautical miles": "海里", - "{area} acres": "{area} ac", - "{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} mi", - "{distance} yd": "{distance} yd", - "1 day": "1日", - "1 hour": "1小時", - "5 min": "5分", - "Cache proxied request": "快取代理請求", - "No cache": "沒有快取内容", - "Popup": "彈出式視窗", - "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": "請先儲存地圖", - "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.", - "Advanced filter keys": "Advanced filter keys", - "Comma separated list of properties to use for checkbox filtering": "Comma separated list of properties to use for checkbox filtering", - "Data filters": "Data filters", - "Do you want to display caption menus?": "Do you want to display caption menus?", - "Example: key1,key2,key3": "Example: key1,key2,key3", - "Invalid latitude or longitude": "Invalid latitude or longitude", - "Invalide property name: {name}": "Invalide property name: {name}", - "No results for these filters": "No results for these filters", - "Permanent credits": "Permanent credits", - "Permanent credits background": "Permanent credits background", - "Select data": "Select data", - "Will be permanently visible in the bottom left corner of the map": "Will be permanently visible in the bottom left corner of the map" + "{area} acres": "{area} ac", + "{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} mi", + "{distance} yd": "{distance} yd" } \ No newline at end of file From 0f971010bd9d4477faee9e95e7a8b95c56536574 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 3 May 2023 10:10:29 +0200 Subject: [PATCH 076/143] changelog --- docs/changelog.md | 1 + 1 file changed, 1 insertion(+) diff --git a/docs/changelog.md b/docs/changelog.md index 58f7f988..9fba1714 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -13,6 +13,7 @@ - CSS: Fix cut of text in iframes of popup content (cf #971, thanks @tordans) - switched from custom DictField to propert JsonField - enhanced property fallback in string formatting (cf #862, thanks @mstock) +- lines and polygons measure is now displayed while drawing (cf #1068, thanks @knowname) ## 1.2.3 From 207b5e779272e9f7215ec03bd34cf80768c1b62e Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 3 May 2023 11:25:33 +0200 Subject: [PATCH 077/143] i18n --- umap/static/umap/locale/ms.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 57357119..62ce580c 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -1,6 +1,6 @@ { - " (area: {measure})": "(area: {measure})", - " (length: {measure})": "(length: {measure})", + " (area: {measure})": "(kawasan: {measure})", + " (length: {measure})": "(panjang: {measure})", "# 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", @@ -38,7 +38,7 @@ "Auto": "Auto", "Automatic": "Automatik", "Autostart when map is loaded": "Automula apabila peta dimuatkan", - "Background overlay url": "Background overlay url", + "Background overlay url": "URL tindihan atas latar belakang", "Ball": "Bola", "Bring feature to center": "Bawa sifat ke tengah", "Browse data": "Layari data", @@ -78,7 +78,7 @@ "Credits": "Penghargaan", "Current view instead of default map view?": "Pandangan semasa menggantikan pandangan peta lalai?", "Custom background": "Latar belakang tersuai", - "Custom overlay": "Custom overlay", + "Custom overlay": "Tindihan atas tersuai", "Data browser": "Pelayar data", "Data filters": "Penapis data", "Data is browsable": "Data boleh layar", @@ -139,7 +139,7 @@ "Embed the map": "Benamkan peta", "Empty": "Kosongkan", "Enable editing": "Bolehkan suntingan", - "Error in the overlay URL": "Error in the overlay URL", + "Error in the overlay URL": "Ralat dalam URL tindihan atas", "Error in the tilelayer URL": "Ralat dalam URL lapisan jubin", "Error while fetching {url}": "Ralat ketika mengambil {url}", "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", From 89e09001482b07e87bb69fd9011bdac4dc94b369 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 5 May 2023 15:57:32 +0200 Subject: [PATCH 078/143] Review ubuntu packages after fresh install --- docs/ubuntu.md | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/docs/ubuntu.md b/docs/ubuntu.md index a2c2e2c3..bd478b45 100644 --- a/docs/ubuntu.md +++ b/docs/ubuntu.md @@ -6,13 +6,10 @@ You need sudo grants on this server, and it must be connected to Internet. ## Install system dependencies - sudo apt install build-essential autoconf python3.6 python3.6-dev python-virtualenv wget nginx uwsgi uwsgi-plugin-python3 postgresql-9.5 postgresql-server-dev-9.5 postgresql-9.5-postgis-2.2 git libxml2-dev libxslt1-dev zlib1g-dev + sudo apt install python3 python3-dev python3-venv wget nginx uwsgi uwsgi-plugin-python3 postgresql gcc postgis libpq-dev *Note: nginx and uwsgi are not required for local development environment* -*Note: uMap also works with python 2.7 and 3.4, so adapt the package names if you work with another version.* - - ## Create deployment directories: sudo mkdir -p /srv/umap From 25ab9f943c59c15eee0eb3551008dfbd692a3479 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 5 May 2023 17:35:14 +0200 Subject: [PATCH 079/143] Refactor bringToCenter, flyTo and zoomTo in only one function In the same move: - Map.options.easing is now false by default - if zoomTo options is set, it should be honoured each time we use the zoomTo function fix #679 #179 --- umap/static/umap/js/umap.controls.js | 4 ++-- umap/static/umap/js/umap.features.js | 33 +++++++++++----------------- umap/static/umap/js/umap.js | 10 ++++----- umap/static/umap/js/umap.popup.js | 6 ++--- 4 files changed, 22 insertions(+), 31 deletions(-) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 5273b88c..66d4647e 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -708,11 +708,11 @@ L.U.Map.include({ } L.DomEvent.on(zoom_to, 'click', function (e) { e.callback = L.bind(this.view, this); - this.bringToCenter(e); + this.zoomTo(e); }, feature); L.DomEvent.on(title, 'click', function (e) { e.callback = L.bind(this.view, this) - this.bringToCenter(e); + this.zoomTo(e); }, feature); L.DomEvent.on(edit, 'click', function () { this.edit(); diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index c872e689..a238c10f 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -113,7 +113,7 @@ L.U.FeatureMixin = { this.getAdvancedEditActions(advancedActions); this.map.ui.openPanel({data: {html: container}, className: 'dark'}); this.map.editedFeature = this; - if (!this.isOnScreen()) this.bringToCenter(e); + if (!this.isOnScreen()) this.zoomTo(e); }, getAdvancedEditActions: function (container) { @@ -254,28 +254,23 @@ L.U.FeatureMixin = { return value; }, - bringToCenter: function (e) { - e = e || {}; - var latlng = e.latlng || this.getCenter(); - this.map.setView(latlng, e.zoomTo || this.map.getZoom()); - if (e.callback) e.callback.call(this); - }, - zoomTo: function (e) { e = e || {}; var easing = e.easing !== undefined ? e.easing : this.map.options.easing; - if (easing) this.flyTo(); - else this.bringToCenter({zoomTo: this.getBestZoom(), callback: e.callback}); + if (easing) { + this.map.flyTo(this.getCenter(), this.getBestZoom()); + } + else { + var latlng = e.latlng || this.getCenter(); + this.map.setView(latlng, this.getBestZoom() || this.map.getZoom()); + } + if (e.callback) e.callback.call(this); }, getBestZoom: function () { return this.getOption('zoomTo'); }, - flyTo: function () { - this.map.flyTo(this.getCenter(), this.getBestZoom()); - }, - getNext: function () { return this.datalayer.getNextFeature(this); }, @@ -587,7 +582,7 @@ L.U.Marker = L.Marker.extend({ callback: function () { if (!this._latlng.isValid()) return this.map.ui.alert({content: L._('Invalid latitude or longitude'), level: 'error'}); this._redraw(); - this.bringToCenter(); + this.zoomTo({easing: false}); }, callbackContext: this }); @@ -595,12 +590,12 @@ L.U.Marker = L.Marker.extend({ fieldset.appendChild(builder.build()); }, - bringToCenter: function (e) { + zoomTo: function (e) { if (this.datalayer.isClustered() && !this._icon) { // callback is mandatory for zoomToShowLayer this.datalayer.layer.zoomToShowLayer(this, e.callback || function (){}); } else { - L.U.FeatureMixin.bringToCenter.call(this, e); + L.U.FeatureMixin.zoomTo.call(this, e); } }, @@ -711,9 +706,7 @@ L.U.PathMixin = { }, getBestZoom: function () { - if (this.options.zoomTo) return this.options.zoomTo; - var bounds = this.getBounds(); - return this.map.getBoundsZoom(bounds, true); + return this.getOption("zoomTo") || this.map.getBoundsZoom(this.getBounds(), true); }, endEdit: function () { diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index b5d466a7..605598e1 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -12,7 +12,6 @@ L.Map.mergeOptions({ default_fill: true, default_weight: 3, default_iconClass: 'Default', - default_zoomTo: 16, default_popupContentTemplate: '# {name}\n{description}', default_interactive: true, default_labelDirection: 'auto', @@ -45,7 +44,7 @@ L.Map.mergeOptions({ captionMenus: true, slideshow: {}, clickable: true, - easing: true, + easing: false, permissions: {}, permanentCreditBackground: true, }); @@ -262,8 +261,7 @@ L.U.Map.include({ // but the control breaks if we don't specify a class here, so a fake class // will do. icon: 'umap-fake-class', - iconLoading: 'umap-fake-class', - flyTo: true, + iconLoading: 'umap-fake-class' }); this._controls.fullscreen = new L.Control.Fullscreen({title: {'false': L._('View Fullscreen'), 'true': L._('Exit Fullscreen')}}); this._controls.search = new L.U.SearchControl(); @@ -1287,7 +1285,7 @@ L.U.Map.include({ 'options.smoothFactor', 'options.dashArray', 'options.zoomTo', - ['options.easing', {handler: 'Switch', label: L._('Advanced transition')}], + ['options.easing', {handler: 'Switch', label: L._('Animated transitions')}], 'options.labelKey', ['options.sortKey', {handler: 'BlurInput', helpEntries: 'sortKey', placeholder: L._('Default: name'), label: L._('Sort key'), inheritable: true}], ['options.filterKey', {handler: 'Input', helpEntries: 'filterKey', placeholder: L._('Default: name'), label: L._('Filter keys'), inheritable: true}], @@ -1416,7 +1414,7 @@ L.U.Map.include({ var slideshowFields = [ ['options.slideshow.active', {handler: 'Switch', label: L._('Activate slideshow mode')}], ['options.slideshow.delay', {handler: 'SlideshowDelay', helpText: L._('Delay between two transitions when in play mode')}], - ['options.slideshow.easing', {handler: 'Switch', label: L._('Smart transitions'), inheritable: true}], + ['options.slideshow.easing', {handler: 'Switch', label: L._('Animated transitions'), inheritable: true}], ['options.slideshow.autoplay', {handler: 'Switch', label: L._('Autostart when map is loaded')}] ]; var slideshowHandler = function () { diff --git a/umap/static/umap/js/umap.popup.js b/umap/static/umap/js/umap.popup.js index 40bfe6e8..aca9d533 100644 --- a/umap/static/umap/js/umap.popup.js +++ b/umap/static/umap/js/umap.popup.js @@ -118,13 +118,13 @@ L.U.PopupTemplate.Default = L.Class.extend({ if (prev) previousLi.title = L._('Go to «{feature}»', {feature: prev.properties.name || L._('previous')}); zoomLi.title = L._('Zoom to this feature'); L.DomEvent.on(nextLi, 'click', function () { - if (next) next.bringToCenter({zoomTo: next.getOption('zoomTo'), callback: next.view}); + if (next) next.zoomTo({callback: next.view}); }); L.DomEvent.on(previousLi, 'click', function () { - if (prev) prev.bringToCenter({zoomTo: prev.getOption('zoomTo'), callback: prev.view}); + if (prev) prev.zoomTo({callback: prev.view}); }); L.DomEvent.on(zoomLi, 'click', function () { - this.bringToCenter({zoomTo: this.getOption('zoomTo')}); + this.zoomTo(); }, this.feature); } }, From f732db9fa3fa45ac02a423f765cfcc424352dcde Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 5 May 2023 18:40:04 +0200 Subject: [PATCH 080/143] Delete _storage_options when save a feature fix #1076 --- umap/static/umap/js/umap.features.js | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index a238c10f..2908a7ac 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -301,6 +301,7 @@ L.U.FeatureMixin = { toGeoJSON: function () { var geojson = this.parentClass.prototype.toGeoJSON.call(this); geojson.properties = this.cloneProperties(); + delete geojson.properties._storage_options; return geojson; }, From b81bbfd3a73528783b50af0e2fe58c0317e3de38 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Fri, 5 May 2023 18:44:21 +0200 Subject: [PATCH 081/143] changelog --- docs/changelog.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/docs/changelog.md b/docs/changelog.md index 9fba1714..9fa77057 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -14,6 +14,8 @@ - switched from custom DictField to propert JsonField - enhanced property fallback in string formatting (cf #862, thanks @mstock) - lines and polygons measure is now displayed while drawing (cf #1068, thanks @knowname) +- refactored zoomTo while making easing transition non default (cf #679 #179) +- fixed old `_storage_options` not being cleaned when saving map (cf #1076) ## 1.2.3 From aa68e096d01fa7083395366878b301f607613c2d Mon Sep 17 00:00:00 2001 From: David Larlet Date: Fri, 5 May 2023 14:46:23 -0400 Subject: [PATCH 082/143] =?UTF-8?q?Typo:=20missing=20`h`=20in=20character?= =?UTF-8?q?=E2=80=99s=20string?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Thanks @andrew-black512 Fixes #1009 --- umap/static/umap/js/umap.core.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index c7afdb36..614fce48 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -442,7 +442,7 @@ L.U.Help = L.Class.extend({ }, formatURL: L._('Supported variables that will be dynamically replaced') + ': {bbox}, {lat}, {lng}, {zoom}, {east}, {north}..., {left}, {top}...', - formatIconSymbol: L._('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.'), + formatIconSymbol: L._('Symbol can be either a unicode character 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.'), colorValue: L._('Must be a valid CSS value (eg.: DarkBlue or #123456)'), smoothFactor: L._('How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)'), dashArray: L._('A comma separated list of numbers that defines the stroke dash pattern. Ex.: "5, 10, 15".'), From d0b2bea6306acf738899cc2d8c994e7e294742ae Mon Sep 17 00:00:00 2001 From: David Larlet Date: Fri, 5 May 2023 15:08:40 -0400 Subject: [PATCH 083/143] Allow versions of Django >= 4.1 Fixes #963, thanks @kkuczkowska --- setup.cfg | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/setup.cfg b/setup.cfg index 8ff1a678..5469c9f4 100644 --- a/setup.cfg +++ b/setup.cfg @@ -26,7 +26,7 @@ classifiers = packages = find: include_package_data = True install_requires = - Django==4.1.7 + Django>=4.1 django-agnocomplete==2.2.0 django-compressor==4.3.1 Pillow==9.4.0 From 920ced6ad83b7107bee0dc58cf70107a43c00279 Mon Sep 17 00:00:00 2001 From: David Larlet <3556+davidbgk@users.noreply.github.com> Date: Fri, 5 May 2023 15:13:53 -0400 Subject: [PATCH 084/143] Create SECURITY.md to report security issues Fix #965 --- SECURITY.md | 5 +++++ 1 file changed, 5 insertions(+) create mode 100644 SECURITY.md diff --git a/SECURITY.md b/SECURITY.md new file mode 100644 index 00000000..04dc5936 --- /dev/null +++ b/SECURITY.md @@ -0,0 +1,5 @@ +# Security Policy + +## Reporting a Vulnerability + +You spoted a security issue? Please contact directly @yohanboniface or @davidbgk about it. From 37bca27734a2b9bc3528acaab9c31e8110c38f87 Mon Sep 17 00:00:00 2001 From: David Larlet <3556+davidbgk@users.noreply.github.com> Date: Tue, 9 May 2023 15:03:31 -0400 Subject: [PATCH 085/143] Add issue templates --- .github/ISSUE_TEMPLATE/bug_report.md | 38 +++++++++++++++++++++++ .github/ISSUE_TEMPLATE/feature_request.md | 20 ++++++++++++ 2 files changed, 58 insertions(+) create mode 100644 .github/ISSUE_TEMPLATE/bug_report.md create mode 100644 .github/ISSUE_TEMPLATE/feature_request.md diff --git a/.github/ISSUE_TEMPLATE/bug_report.md b/.github/ISSUE_TEMPLATE/bug_report.md new file mode 100644 index 00000000..daab3a54 --- /dev/null +++ b/.github/ISSUE_TEMPLATE/bug_report.md @@ -0,0 +1,38 @@ +--- +name: Bug report +about: Create a report to help us improve +title: '' +labels: bug +assignees: '' + +--- + +**Describe the bug** +A clear and concise description of what the bug is. + +**To Reproduce** +Steps to reproduce the behavior: +1. Go to '...' (VERY IMPORTANT, we need to know which instance of uMap is concerned!) +2. Click on '....' +3. Scroll down to '....' +4. See error + +**Expected behavior** +A clear and concise description of what you expected to happen. + +**Screenshots** +If applicable, add screenshots to help explain your problem. + +**Desktop (please complete the following information):** + - OS: [e.g. iOS] + - Browser [e.g. chrome, safari] + - Version [e.g. 22] + +**Smartphone (please complete the following information):** + - Device: [e.g. iPhone6] + - OS: [e.g. iOS8.1] + - Browser [e.g. stock browser, safari] + - Version [e.g. 22] + +**Additional context** +Add any other context about the problem here. diff --git a/.github/ISSUE_TEMPLATE/feature_request.md b/.github/ISSUE_TEMPLATE/feature_request.md new file mode 100644 index 00000000..11fc491e --- /dev/null +++ b/.github/ISSUE_TEMPLATE/feature_request.md @@ -0,0 +1,20 @@ +--- +name: Feature request +about: Suggest an idea for this project +title: '' +labels: enhancement +assignees: '' + +--- + +**Is your feature request related to a problem? Please describe.** +A clear and concise description of what the problem is. Ex. I'm always frustrated when [...] + +**Describe the solution you'd like** +A clear and concise description of what you want to happen. + +**Describe alternatives you've considered** +A clear and concise description of any alternative solutions or features you've considered. + +**Additional context** +Add any other context or screenshots about the feature request here. From 1fce475e41e0f51ef25f6025efaa3f18cfb2affe Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 10 May 2023 10:25:14 +0200 Subject: [PATCH 086/143] i18n --- umap/static/umap/locale/fr.js | 8 ++++---- umap/static/umap/locale/fr.json | 8 ++++---- umap/static/umap/locale/ms.js | 10 +++++----- 3 files changed, 13 insertions(+), 13 deletions(-) diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index d5932c86..fd833365 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -1,6 +1,6 @@ var locale = { " (area: {measure})": " (surface: {measure})", - " (length: {measure})": "(length: {measure})", + " (length: {measure})": "(longueur: {measure})", "# one hash for main heading": "# un dièse pour titre 1", "## two hashes for second heading": "## deux dièses pour titre 2", "### three hashes for third heading": "### trois dièses pour titre 3", @@ -38,7 +38,7 @@ var locale = { "Auto": "Auto", "Automatic": "Automatique", "Autostart when map is loaded": "Lancer au chargement de la carte", - "Background overlay url": "Background overlay url", + "Background overlay url": "URL du fond de carte", "Ball": "Épingle", "Bring feature to center": "Centrer la carte sur cet élément", "Browse data": "Visualiser les données", @@ -78,7 +78,7 @@ var locale = { "Credits": "Crédits", "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", "Custom background": "Fond de carte personnalisé", - "Custom overlay": "Custom overlay", + "Custom overlay": "Fond avec transparence", "Data browser": "Visualiseur de données", "Data filters": "Filtrer les données", "Data is browsable": "Données naviguables", @@ -139,7 +139,7 @@ var locale = { "Embed the map": "Intégrer la carte dans une iframe", "Empty": "Vider", "Enable editing": "Activer l'édition", - "Error in the overlay URL": "Error in the overlay URL", + "Error in the overlay URL": "Erreur dans l'URL du fond de carte", "Error in the tilelayer URL": "Erreur dans l'URL du fond de carte", "Error while fetching {url}": "Erreur en appelant l'URL {url}", "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index c8d0c52f..5e7a7dd8 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -1,6 +1,6 @@ { " (area: {measure})": " (surface: {measure})", - " (length: {measure})": "(length: {measure})", + " (length: {measure})": "(longueur: {measure})", "# one hash for main heading": "# un dièse pour titre 1", "## two hashes for second heading": "## deux dièses pour titre 2", "### three hashes for third heading": "### trois dièses pour titre 3", @@ -38,7 +38,7 @@ "Auto": "Auto", "Automatic": "Automatique", "Autostart when map is loaded": "Lancer au chargement de la carte", - "Background overlay url": "Background overlay url", + "Background overlay url": "URL du fond de carte", "Ball": "Épingle", "Bring feature to center": "Centrer la carte sur cet élément", "Browse data": "Visualiser les données", @@ -78,7 +78,7 @@ "Credits": "Crédits", "Current view instead of default map view?": "Vue courante plutôt que la vue par défaut ?", "Custom background": "Fond de carte personnalisé", - "Custom overlay": "Custom overlay", + "Custom overlay": "Fond avec transparence", "Data browser": "Visualiseur de données", "Data filters": "Filtrer les données", "Data is browsable": "Données naviguables", @@ -139,7 +139,7 @@ "Embed the map": "Intégrer la carte dans une iframe", "Empty": "Vider", "Enable editing": "Activer l'édition", - "Error in the overlay URL": "Error in the overlay URL", + "Error in the overlay URL": "Erreur dans l'URL du fond de carte", "Error in the tilelayer URL": "Erreur dans l'URL du fond de carte", "Error while fetching {url}": "Erreur en appelant l'URL {url}", "Example: key1,key2,key3": "Exemple: clé1,clé2,clé3", diff --git a/umap/static/umap/locale/ms.js b/umap/static/umap/locale/ms.js index 6dbc8707..6dec839d 100644 --- a/umap/static/umap/locale/ms.js +++ b/umap/static/umap/locale/ms.js @@ -1,6 +1,6 @@ var locale = { - " (area: {measure})": "(area: {measure})", - " (length: {measure})": "(length: {measure})", + " (area: {measure})": "(kawasan: {measure})", + " (length: {measure})": "(panjang: {measure})", "# 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", @@ -38,7 +38,7 @@ var locale = { "Auto": "Auto", "Automatic": "Automatik", "Autostart when map is loaded": "Automula apabila peta dimuatkan", - "Background overlay url": "Background overlay url", + "Background overlay url": "URL tindihan atas latar belakang", "Ball": "Bola", "Bring feature to center": "Bawa sifat ke tengah", "Browse data": "Layari data", @@ -78,7 +78,7 @@ var locale = { "Credits": "Penghargaan", "Current view instead of default map view?": "Pandangan semasa menggantikan pandangan peta lalai?", "Custom background": "Latar belakang tersuai", - "Custom overlay": "Custom overlay", + "Custom overlay": "Tindihan atas tersuai", "Data browser": "Pelayar data", "Data filters": "Penapis data", "Data is browsable": "Data boleh layar", @@ -139,7 +139,7 @@ var locale = { "Embed the map": "Benamkan peta", "Empty": "Kosongkan", "Enable editing": "Bolehkan suntingan", - "Error in the overlay URL": "Error in the overlay URL", + "Error in the overlay URL": "Ralat dalam URL tindihan atas", "Error in the tilelayer URL": "Ralat dalam URL lapisan jubin", "Error while fetching {url}": "Ralat ketika mengambil {url}", "Example: key1,key2,key3": "Contoh: kekunci1,kekunci2,kekunci3", From 7384fda61afc20154e8c03a2e45c3ae3ebd01b17 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 10 May 2023 11:47:29 +0200 Subject: [PATCH 087/143] Allow to create search index without changing unaccent mutability cf #519 --- docs/install.md | 13 +++---------- umap/views.py | 4 ++-- 2 files changed, 5 insertions(+), 12 deletions(-) diff --git a/docs/install.md b/docs/install.md index 45c62c2a..02f13236 100644 --- a/docs/install.md +++ b/docs/install.md @@ -84,13 +84,6 @@ may want to add an index. For that, you should do so: CREATE EXTENSION unaccent; CREATE EXTENSION btree_gin; - ALTER FUNCTION unaccent(text) IMMUTABLE; - ALTER FUNCTION to_tsvector(text) IMMUTABLE; - 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 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); + CREATE TEXT SEARCH CONFIGURATION umapdict (COPY=simple); + ALTER TEXT SEARCH CONFIGURATION umapdict ALTER MAPPING FOR hword, hword_part, word WITH unaccent, simple; + CREATE INDEX IF NOT EXISTS search_idx ON umap_map USING GIN(to_tsvector('umapdict', name), share_status); diff --git a/umap/views.py b/umap/views.py index 55c0c74a..2c193fa9 100644 --- a/umap/views.py +++ b/umap/views.py @@ -190,9 +190,9 @@ class Search(TemplateView, PaginatorMixin): q = self.request.GET.get("q") results = [] if q: - where = "to_tsvector(name) @@ plainto_tsquery(%s)" + where = "to_tsvector(name) @@ websearch_to_tsquery(%s)" if getattr(settings, "UMAP_USE_UNACCENT", False): - where = "to_tsvector(unaccent(name)) @@ plainto_tsquery(unaccent(%s))" # noqa + where = "to_tsvector(unaccent(name)) @@ websearch_to_tsquery(unaccent(%s))" # noqa results = Map.objects.filter(share_status=Map.PUBLIC) results = results.extra(where=[where], params=[q]) results = results.order_by("-modified_at") From 005a759b816b0b28d1a2920f6b84ab239b98e091 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 10 May 2023 19:24:33 +0200 Subject: [PATCH 088/143] Update umap/views.py Co-authored-by: Adrien nayrat --- umap/views.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/views.py b/umap/views.py index 2c193fa9..df17c18b 100644 --- a/umap/views.py +++ b/umap/views.py @@ -192,7 +192,7 @@ class Search(TemplateView, PaginatorMixin): if q: where = "to_tsvector(name) @@ websearch_to_tsquery(%s)" if getattr(settings, "UMAP_USE_UNACCENT", False): - where = "to_tsvector(unaccent(name)) @@ websearch_to_tsquery(unaccent(%s))" # noqa + where = "to_tsvector('umapdict',name) @@ websearch_to_tsquery('umapdict',%s)" # noqa results = Map.objects.filter(share_status=Map.PUBLIC) results = results.extra(where=[where], params=[q]) results = results.order_by("-modified_at") From 1038836a725ec19026cb49a15a22a7e6c107dc24 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 11 May 2023 11:33:08 +0200 Subject: [PATCH 089/143] Use Django full text instead of custom SQL --- docs/install.md | 9 ++++++++- umap/settings/base.py | 2 +- umap/settings/local.py.sample | 5 ----- umap/tests/test_map_views.py | 10 ++++++++++ umap/views.py | 15 ++++++++------- 5 files changed, 27 insertions(+), 14 deletions(-) diff --git a/docs/install.md b/docs/install.md index 02f13236..1aa9c8e3 100644 --- a/docs/install.md +++ b/docs/install.md @@ -82,8 +82,15 @@ Start the server UMap uses PostgreSQL tsvector for searching. In case your database is big, you may want to add an index. For that, you should do so: + # Create a basic search configuration + CREATE TEXT SEARCH CONFIGURATION umapdict (COPY=simple); + + # If you also want to deal with accents and case, add this before creating the index CREATE EXTENSION unaccent; CREATE EXTENSION btree_gin; - CREATE TEXT SEARCH CONFIGURATION umapdict (COPY=simple); ALTER TEXT SEARCH CONFIGURATION umapdict ALTER MAPPING FOR hword, hword_part, word WITH unaccent, simple; + + # Now create the index CREATE INDEX IF NOT EXISTS search_idx ON umap_map USING GIN(to_tsvector('umapdict', name), share_status); + +And change `UMAP_SEARCH_CONFIGURATION = "umapdict"` in your settings. diff --git a/umap/settings/base.py b/umap/settings/base.py index 07bb2270..23881b68 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -215,7 +215,7 @@ UMAP_DEMO_SITE = False UMAP_EXCLUDE_DEFAULT_MAPS = False UMAP_MAPS_PER_PAGE = 5 UMAP_MAPS_PER_PAGE_OWNER = 10 -UMAP_USE_UNACCENT = False +UMAP_SEARCH_CONFIGURATION = "simple" UMAP_FEEDBACK_LINK = "https://wiki.openstreetmap.org/wiki/UMap#Feedback_and_help" # noqa USER_MAPS_URL = 'user_maps' DATABASES = { diff --git a/umap/settings/local.py.sample b/umap/settings/local.py.sample index f50c3d1a..a22a7dff 100644 --- a/umap/settings/local.py.sample +++ b/umap/settings/local.py.sample @@ -94,11 +94,6 @@ SHORT_SITE_URL = "http://s.hort" # POSTGIS_VERSION = (2, 1, 0) EMAIL_BACKEND = 'django.core.mail.backends.console.EmailBackend' -# You need to unable accent extension before using UMAP_USE_UNACCENT -# python manage.py dbshell -# CREATE EXTENSION unaccent; -UMAP_USE_UNACCENT = False - # Put the site in readonly mode (useful for migration or any maintenance) UMAP_READONLY = False diff --git a/umap/tests/test_map_views.py b/umap/tests/test_map_views.py index 8c2b2279..aa237517 100644 --- a/umap/tests/test_map_views.py +++ b/umap/tests/test_map_views.py @@ -529,3 +529,13 @@ def test_create_readonly(client, user, post_data, settings): response = client.post(url, post_data) assert response.status_code == 403 assert response.content == b'Site is readonly for maintenance' + + +def test_search(client, map): + # Very basic search, that do not deal with accent nor case. + # See install.md for how to have a smarter dict + index. + map.name = "Blé dur" + map.save() + url = reverse("search") + response = client.get(url + "?q=Blé") + assert "Blé dur" in response.content.decode() diff --git a/umap/views.py b/umap/views.py index df17c18b..1228853e 100644 --- a/umap/views.py +++ b/umap/views.py @@ -10,6 +10,7 @@ from django.contrib import messages from django.contrib.auth import logout as do_logout from django.contrib.auth import get_user_model from django.contrib.gis.measure import D +from django.contrib.postgres.search import SearchQuery, SearchRank, SearchVector from django.core.paginator import EmptyPage, PageNotAnInteger, Paginator from django.core.signing import BadSignature, Signer from django.core.validators import URLValidator, ValidationError @@ -190,13 +191,13 @@ class Search(TemplateView, PaginatorMixin): q = self.request.GET.get("q") results = [] if q: - where = "to_tsvector(name) @@ websearch_to_tsquery(%s)" - if getattr(settings, "UMAP_USE_UNACCENT", False): - where = "to_tsvector('umapdict',name) @@ websearch_to_tsquery('umapdict',%s)" # noqa - results = Map.objects.filter(share_status=Map.PUBLIC) - results = results.extra(where=[where], params=[q]) - results = results.order_by("-modified_at") - results = self.paginate(results) + vector = SearchVector("name", config=settings.UMAP_SEARCH_CONFIGURATION) + query = SearchQuery( + q, config=settings.UMAP_SEARCH_CONFIGURATION, search_type="websearch" + ) + qs = Map.objects.annotate(search=vector).filter(search=query) + qs = qs.filter(share_status=Map.PUBLIC).order_by('-modified_at') + results = self.paginate(qs) kwargs.update({"maps": results, "q": q}) return kwargs From e3d5bd794f3bbad8b7d78c3a610456c077183767 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 11 May 2023 11:33:30 +0200 Subject: [PATCH 090/143] black is a colour --- umap/views.py | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/umap/views.py b/umap/views.py index 1228853e..c2e7f269 100644 --- a/umap/views.py +++ b/umap/views.py @@ -141,7 +141,6 @@ home = Home.as_view() class About(Home): - template_name = "umap/about.html" @@ -353,7 +352,6 @@ class FormLessEditMixin: class MapDetailMixin: - model = Map def get_context_data(self, **kwargs): @@ -650,7 +648,6 @@ class MapShortUrl(RedirectView): class MapAnonymousEditUrl(RedirectView): - permanent = False def get(self, request, *args, **kwargs): @@ -658,7 +655,7 @@ class MapAnonymousEditUrl(RedirectView): try: pk = signer.unsign(self.kwargs["signature"]) except BadSignature: - signer = Signer(algorithm='sha1') + signer = Signer(algorithm="sha1") try: pk = signer.unsign(self.kwargs["signature"]) except BadSignature: @@ -681,7 +678,6 @@ class MapAnonymousEditUrl(RedirectView): class GZipMixin(object): - EXT = ".gz" @property From 2bcac67dec43bcac91cac2383c167fad8f932475 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 11 May 2023 12:34:39 +0200 Subject: [PATCH 091/143] Use flyTo option in locate if map settings aks for it --- umap/static/umap/js/umap.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 605598e1..e58226a9 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -261,7 +261,8 @@ L.U.Map.include({ // but the control breaks if we don't specify a class here, so a fake class // will do. icon: 'umap-fake-class', - iconLoading: 'umap-fake-class' + iconLoading: 'umap-fake-class', + flyTo: this.options.easing }); this._controls.fullscreen = new L.Control.Fullscreen({title: {'false': L._('View Fullscreen'), 'true': L._('Exit Fullscreen')}}); this._controls.search = new L.U.SearchControl(); From da1e25be2a9cfe8e3b483331805b677a37aa1f85 Mon Sep 17 00:00:00 2001 From: David Larlet Date: Fri, 12 May 2023 13:51:39 -0400 Subject: [PATCH 092/143] =?UTF-8?q?Remove=20the=20limit=20of=20visible=20m?= =?UTF-8?q?aps=20in=20user=E2=80=99s=20view?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit It should not have any performance issue given that we paginate over the list anyway. Fix #1025 --- umap/views.py | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/umap/views.py b/umap/views.py index c2e7f269..3c8f87c7 100644 --- a/umap/views.py +++ b/umap/views.py @@ -160,11 +160,9 @@ class UserMaps(DetailView, PaginatorMixin): maps = manager.filter(Q(owner=self.object) | Q(editors=self.object)) if owner: per_page = settings.UMAP_MAPS_PER_PAGE_OWNER - limit = 100 else: per_page = settings.UMAP_MAPS_PER_PAGE - limit = 50 - maps = maps.distinct().order_by("-modified_at")[:limit] + maps = maps.distinct().order_by("-modified_at") maps = self.paginate(maps, per_page) kwargs.update({"maps": maps}) return super(UserMaps, self).get_context_data(**kwargs) From f43742212bb0db79979eafa017383f1973216b7e Mon Sep 17 00:00:00 2001 From: David Larlet Date: Fri, 12 May 2023 13:57:03 -0400 Subject: [PATCH 093/143] Apply PrettierJS to the whole codebase --- .prettierrc.yaml | 6 + Makefile | 6 + package-lock.json | 22 + package.json | 1 + umap/static/umap/js/umap.autocomplete.js | 621 ++-- umap/static/umap/js/umap.controls.js | 2282 ++++++------ umap/static/umap/js/umap.core.js | 1008 +++--- umap/static/umap/js/umap.features.js | 2104 ++++++------ umap/static/umap/js/umap.forms.js | 1655 +++++---- umap/static/umap/js/umap.icon.js | 336 +- umap/static/umap/js/umap.js | 3996 ++++++++++++---------- umap/static/umap/js/umap.layer.js | 2198 ++++++------ umap/static/umap/js/umap.permissions.js | 327 +- umap/static/umap/js/umap.popup.js | 385 ++- umap/static/umap/js/umap.slideshow.js | 317 +- umap/static/umap/js/umap.tableeditor.js | 220 +- umap/static/umap/js/umap.ui.js | 353 +- umap/static/umap/js/umap.xhr.js | 567 +-- 18 files changed, 8789 insertions(+), 7615 deletions(-) create mode 100644 .prettierrc.yaml diff --git a/.prettierrc.yaml b/.prettierrc.yaml new file mode 100644 index 00000000..8d2f2cbf --- /dev/null +++ b/.prettierrc.yaml @@ -0,0 +1,6 @@ +trailingComma: "es5" +tabWidth: 2 +semi: false +singleQuote: true +printWidth: 88 +quoteProps: "consistent" diff --git a/Makefile b/Makefile index e0fc00c5..13907259 100644 --- a/Makefile +++ b/Makefile @@ -52,3 +52,9 @@ tx_push: tx push -s tx_pull: tx pull + +jsdir = umap/static/umap/js/ +filepath = "${jsdir}*.js" +pretty: ## Apply PrettierJS to all JS files (or specified `filepath`) + ./node_modules/prettier/bin-prettier.js --write ${filepath} + diff --git a/package-lock.json b/package-lock.json index 31a046ea..12bf20b4 100644 --- a/package-lock.json +++ b/package-lock.json @@ -40,6 +40,7 @@ "mocha-phantomjs": "^4.0.1", "optimist": "~0.4.0", "phantomjs": "^1.9.18", + "prettier": "^2.8.8", "sinon": "^1.10.3", "uglify-js": "~3.17.4" } @@ -1920,6 +1921,21 @@ "node": ">=0.10.0" } }, + "node_modules/prettier": { + "version": "2.8.8", + "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz", + "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", + "dev": true, + "bin": { + "prettier": "bin-prettier.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "url": "https://github.com/prettier/prettier?sponsor=1" + } + }, "node_modules/process-nextick-args": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-1.0.7.tgz", @@ -4071,6 +4087,12 @@ "pinkie": "^2.0.0" } }, + "prettier": { + "version": "2.8.8", + "resolved": "https://registry.npmjs.org/prettier/-/prettier-2.8.8.tgz", + "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", + "dev": true + }, "process-nextick-args": { "version": "1.0.7", "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-1.0.7.tgz", diff --git a/package.json b/package.json index 46fc25cb..8302ef3a 100644 --- a/package.json +++ b/package.json @@ -12,6 +12,7 @@ "mocha-phantomjs": "^4.0.1", "optimist": "~0.4.0", "phantomjs": "^1.9.18", + "prettier": "^2.8.8", "sinon": "^1.10.3", "uglify-js": "~3.17.4" }, diff --git a/umap/static/umap/js/umap.autocomplete.js b/umap/static/umap/js/umap.autocomplete.js index efd9bf03..df7966ab 100644 --- a/umap/static/umap/js/umap.autocomplete.js +++ b/umap/static/umap/js/umap.autocomplete.js @@ -1,314 +1,341 @@ L.U.AutoComplete = L.Class.extend({ + options: { + placeholder: 'Start typing...', + emptyMessage: 'No result', + allowFree: true, + minChar: 2, + maxResults: 5, + }, - options: { - placeholder: 'Start typing...', - emptyMessage: 'No result', - allowFree: true, - minChar: 2, - maxResults: 5 - }, + CACHE: '', + RESULTS: [], - CACHE: '', - RESULTS: [], - - initialize: function (el, options) { - this.el = el; - var ui = new L.U.UI(document.querySelector('header')); - this.xhr = new L.U.Xhr(ui); - L.setOptions(this, options); - var CURRENT = null; - try { - Object.defineProperty(this, 'CURRENT', { - get: function () { - return CURRENT; - }, - set: function (index) { - if (typeof index === 'object') { - index = this.resultToIndex(index); - } - CURRENT = index; - } - }); - } catch (e) { - // Hello IE8 - } - return this; - }, - - createInput: function () { - this.input = L.DomUtil.element('input', { - type: 'text', - placeholder: this.options.placeholder, - autocomplete: 'off', - className: this.options.className - }, this.el); - L.DomEvent.on(this.input, 'keydown', this.onKeyDown, this); - L.DomEvent.on(this.input, 'keyup', this.onKeyUp, this); - L.DomEvent.on(this.input, 'blur', this.onBlur, this); - }, - - createContainer: function () { - this.container = L.DomUtil.element('ul', {className: 'umap-autocomplete'}, document.body); - }, - - resizeContainer: function() - { - var l = this.getLeft(this.input); - var t = this.getTop(this.input) + this.input.offsetHeight; - this.container.style.left = l + 'px'; - this.container.style.top = t + 'px'; - var width = this.options.width ? this.options.width : this.input.offsetWidth - 2; - this.container.style.width = width + 'px'; - }, - - - onKeyDown: function (e) { - switch (e.keyCode) { - case L.U.Keys.TAB: - if(this.CURRENT !== null) this.setChoice(); - L.DomEvent.stop(e); - break; - case L.U.Keys.ENTER: - L.DomEvent.stop(e); - this.setChoice(); - break; - case L.U.Keys.ESC: - L.DomEvent.stop(e); - this.hide(); - break; - case L.U.Keys.DOWN: - if(this.RESULTS.length > 0) { - if(this.CURRENT !== null && this.CURRENT < this.RESULTS.length - 1) { // what if one result? - this.CURRENT++; - this.highlight(); - } - else if(this.CURRENT === null) { - this.CURRENT = 0; - this.highlight(); - } - } - break; - case L.U.Keys.UP: - if(this.CURRENT !== null) { - L.DomEvent.stop(e); - } - if(this.RESULTS.length > 0) { - if(this.CURRENT > 0) { - this.CURRENT--; - this.highlight(); - } - else if(this.CURRENT === 0) { - this.CURRENT = null; - this.highlight(); - } - } - break; - } - }, - - onKeyUp: function (e) { - var special = [ - L.U.Keys.TAB, - L.U.Keys.ENTER, - L.U.Keys.LEFT, - L.U.Keys.RIGHT, - L.U.Keys.DOWN, - L.U.Keys.UP, - L.U.Keys.APPLE, - L.U.Keys.SHIFT, - L.U.Keys.ALT, - L.U.Keys.CTRL - ]; - if (special.indexOf(e.keyCode) === -1) - { - this.search(); - } - }, - - onBlur: function () { - var self = this; - setTimeout(function () { - self.hide(); - }, 100); - }, - - clear: function () { - this.RESULTS = []; - this.CURRENT = null; - this.CACHE = ''; - this.container.innerHTML = ''; - }, - - hide: function() { - this.clear(); - this.container.style.display = 'none'; - this.input.value = ''; - }, - - setChoice: function (choice) { - choice = choice || this.RESULTS[this.CURRENT]; - if (choice) { - this.input.value = choice.item.label; - this.options.on_select(choice); - this.displaySelected(choice); - this.hide(); - if (this.options.callback) { - L.Util.bind(this.options.callback, this)(choice); - } - } - }, - - search: function() { - var val = this.input.value; - if (val.length < this.options.minChar) { - this.clear(); - return; - } - if( val + '' === this.CACHE + '') return; - else this.CACHE = val; - this._do_search(val, function (data) { - this.handleResults(data.data); - }, this); - }, - - createResult: function (item) { - var el = L.DomUtil.element('li', {}, this.container); - el.textContent = item.label; - var result = { - item: item, - el: el - }; - L.DomEvent.on(el, 'mouseover', function () { - this.CURRENT = result; - this.highlight(); - }, this); - L.DomEvent.on(el, 'mousedown', function () { - this.setChoice(); - }, this); - return result; - }, - - resultToIndex: function (result) { - var out = null; - this.forEach(this.RESULTS, function (item, index) { - if (item.item.value == result.item.value) { - out = index; - return; - } - }); - return out; - }, - - handleResults: function(data) { - var self = this; - this.clear(); - this.container.style.display = 'block'; - this.resizeContainer(); - this.forEach(data, function (item) { - self.RESULTS.push(self.createResult(item)); - }); - this.CURRENT = 0; - this.highlight(); - //TODO manage no results - }, - - highlight: function () { - var self = this; - this.forEach(this.RESULTS, function (result, index) { - if (index === self.CURRENT) L.DomUtil.addClass(result.el, 'on'); - else L.DomUtil.removeClass(result.el, 'on'); - }); - }, - - getLeft: function (el) { - var tmp = el.offsetLeft; - el = el.offsetParent; - while(el) { - tmp += el.offsetLeft; - el = el.offsetParent; - } - return tmp; - }, - - getTop: function (el) { - var tmp = el.offsetTop; - el = el.offsetParent; - while(el) { - tmp += el.offsetTop; - el = el.offsetParent; - } - return tmp; - }, - - forEach: function (els, callback) { - Array.prototype.forEach.call(els, callback); + initialize: function (el, options) { + this.el = el + var ui = new L.U.UI(document.querySelector('header')) + this.xhr = new L.U.Xhr(ui) + L.setOptions(this, options) + var CURRENT = null + try { + Object.defineProperty(this, 'CURRENT', { + get: function () { + return CURRENT + }, + set: function (index) { + if (typeof index === 'object') { + index = this.resultToIndex(index) + } + CURRENT = index + }, + }) + } catch (e) { + // Hello IE8 } + return this + }, -}); + createInput: function () { + this.input = L.DomUtil.element( + 'input', + { + type: 'text', + placeholder: this.options.placeholder, + autocomplete: 'off', + className: this.options.className, + }, + this.el + ) + L.DomEvent.on(this.input, 'keydown', this.onKeyDown, this) + L.DomEvent.on(this.input, 'keyup', this.onKeyUp, this) + L.DomEvent.on(this.input, 'blur', this.onBlur, this) + }, + createContainer: function () { + this.container = L.DomUtil.element( + 'ul', + { className: 'umap-autocomplete' }, + document.body + ) + }, + + resizeContainer: function () { + var l = this.getLeft(this.input) + var t = this.getTop(this.input) + this.input.offsetHeight + this.container.style.left = l + 'px' + this.container.style.top = t + 'px' + var width = this.options.width ? this.options.width : this.input.offsetWidth - 2 + this.container.style.width = width + 'px' + }, + + onKeyDown: function (e) { + switch (e.keyCode) { + case L.U.Keys.TAB: + if (this.CURRENT !== null) this.setChoice() + L.DomEvent.stop(e) + break + case L.U.Keys.ENTER: + L.DomEvent.stop(e) + this.setChoice() + break + case L.U.Keys.ESC: + L.DomEvent.stop(e) + this.hide() + break + case L.U.Keys.DOWN: + if (this.RESULTS.length > 0) { + if (this.CURRENT !== null && this.CURRENT < this.RESULTS.length - 1) { + // what if one result? + this.CURRENT++ + this.highlight() + } else if (this.CURRENT === null) { + this.CURRENT = 0 + this.highlight() + } + } + break + case L.U.Keys.UP: + if (this.CURRENT !== null) { + L.DomEvent.stop(e) + } + if (this.RESULTS.length > 0) { + if (this.CURRENT > 0) { + this.CURRENT-- + this.highlight() + } else if (this.CURRENT === 0) { + this.CURRENT = null + this.highlight() + } + } + break + } + }, + + onKeyUp: function (e) { + var special = [ + L.U.Keys.TAB, + L.U.Keys.ENTER, + L.U.Keys.LEFT, + L.U.Keys.RIGHT, + L.U.Keys.DOWN, + L.U.Keys.UP, + L.U.Keys.APPLE, + L.U.Keys.SHIFT, + L.U.Keys.ALT, + L.U.Keys.CTRL, + ] + if (special.indexOf(e.keyCode) === -1) { + this.search() + } + }, + + onBlur: function () { + var self = this + setTimeout(function () { + self.hide() + }, 100) + }, + + clear: function () { + this.RESULTS = [] + this.CURRENT = null + this.CACHE = '' + this.container.innerHTML = '' + }, + + hide: function () { + this.clear() + this.container.style.display = 'none' + this.input.value = '' + }, + + setChoice: function (choice) { + choice = choice || this.RESULTS[this.CURRENT] + if (choice) { + this.input.value = choice.item.label + this.options.on_select(choice) + this.displaySelected(choice) + this.hide() + if (this.options.callback) { + L.Util.bind(this.options.callback, this)(choice) + } + } + }, + + search: function () { + var val = this.input.value + if (val.length < this.options.minChar) { + this.clear() + return + } + if (val + '' === this.CACHE + '') return + else this.CACHE = val + this._do_search( + val, + function (data) { + this.handleResults(data.data) + }, + this + ) + }, + + createResult: function (item) { + var el = L.DomUtil.element('li', {}, this.container) + el.textContent = item.label + var result = { + item: item, + el: el, + } + L.DomEvent.on( + el, + 'mouseover', + function () { + this.CURRENT = result + this.highlight() + }, + this + ) + L.DomEvent.on( + el, + 'mousedown', + function () { + this.setChoice() + }, + this + ) + return result + }, + + resultToIndex: function (result) { + var out = null + this.forEach(this.RESULTS, function (item, index) { + if (item.item.value == result.item.value) { + out = index + return + } + }) + return out + }, + + handleResults: function (data) { + var self = this + this.clear() + this.container.style.display = 'block' + this.resizeContainer() + this.forEach(data, function (item) { + self.RESULTS.push(self.createResult(item)) + }) + this.CURRENT = 0 + this.highlight() + //TODO manage no results + }, + + highlight: function () { + var self = this + this.forEach(this.RESULTS, function (result, index) { + if (index === self.CURRENT) L.DomUtil.addClass(result.el, 'on') + else L.DomUtil.removeClass(result.el, 'on') + }) + }, + + getLeft: function (el) { + var tmp = el.offsetLeft + el = el.offsetParent + while (el) { + tmp += el.offsetLeft + el = el.offsetParent + } + return tmp + }, + + getTop: function (el) { + var tmp = el.offsetTop + el = el.offsetParent + while (el) { + tmp += el.offsetTop + el = el.offsetParent + } + return tmp + }, + + forEach: function (els, callback) { + Array.prototype.forEach.call(els, callback) + }, +}) L.U.AutoComplete.Ajax = L.U.AutoComplete.extend({ + initialize: function (el, options) { + L.U.AutoComplete.prototype.initialize.call(this, el, options) + if (!this.el) return this + this.createInput() + this.createContainer() + this.selected_container = this.initSelectedContainer() + }, - initialize: function (el, options) { - L.U.AutoComplete.prototype.initialize.call(this, el, options); - if (!this.el) return this; - this.createInput(); - this.createContainer(); - this.selected_container = this.initSelectedContainer(); - }, - - optionToResult: function (option) { - return { - value: option.value, - label: option.innerHTML - }; - }, - - _do_search: function (val, callback, context) { - val = val.toLowerCase(); - this.xhr.get('/agnocomplete/AutocompleteUser/?q=' + encodeURIComponent(val), {callback: callback, context: context || this}); + optionToResult: function (option) { + return { + value: option.value, + label: option.innerHTML, } + }, -}); + _do_search: function (val, callback, context) { + val = val.toLowerCase() + this.xhr.get('/agnocomplete/AutocompleteUser/?q=' + encodeURIComponent(val), { + callback: callback, + context: context || this, + }) + }, +}) L.U.AutoComplete.Ajax.SelectMultiple = L.U.AutoComplete.Ajax.extend({ + initSelectedContainer: function () { + return L.DomUtil.after( + this.input, + L.DomUtil.element('ul', { className: 'umap-multiresult' }) + ) + }, - initSelectedContainer: function () { - return L.DomUtil.after(this.input, L.DomUtil.element('ul', {className: 'umap-multiresult'})); - }, - - displaySelected: function (result) { - var result_el = L.DomUtil.element('li', {}, this.selected_container); - result_el.textContent = result.item.label; - var close = L.DomUtil.element('span', {className: 'close'}, result_el); - close.textContent = '×'; - L.DomEvent.on(close, 'click', function () { - this.selected_container.removeChild(result_el); - this.options.on_unselect(result); - }, this); - this.hide(); - } - -}); - + displaySelected: function (result) { + var result_el = L.DomUtil.element('li', {}, this.selected_container) + result_el.textContent = result.item.label + var close = L.DomUtil.element('span', { className: 'close' }, result_el) + close.textContent = '×' + L.DomEvent.on( + close, + 'click', + function () { + this.selected_container.removeChild(result_el) + this.options.on_unselect(result) + }, + this + ) + this.hide() + }, +}) L.U.AutoComplete.Ajax.Select = L.U.AutoComplete.Ajax.extend({ + initSelectedContainer: function () { + return L.DomUtil.after( + this.input, + L.DomUtil.element('div', { className: 'umap-singleresult' }) + ) + }, - initSelectedContainer: function () { - return L.DomUtil.after(this.input, L.DomUtil.element('div', {className: 'umap-singleresult'})); - }, - - displaySelected: function (result) { - var result_el = L.DomUtil.element('div', {}, this.selected_container); - result_el.textContent = result.item.label; - var close = L.DomUtil.element('span', {className: 'close'}, result_el); - close.textContent = '×'; - this.input.style.display = 'none'; - L.DomEvent.on(close, 'click', function () { - this.selected_container.innerHTML = ''; - this.input.style.display = 'block'; - }, this); - this.hide(); - } - -}); + displaySelected: function (result) { + var result_el = L.DomUtil.element('div', {}, this.selected_container) + result_el.textContent = result.item.label + var close = L.DomUtil.element('span', { className: 'close' }, result_el) + close.textContent = '×' + this.input.style.display = 'none' + L.DomEvent.on( + close, + 'click', + function () { + this.selected_container.innerHTML = '' + this.input.style.display = 'block' + }, + this + ) + this.hide() + }, +}) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 66d4647e..17e431dc 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -1,1310 +1,1360 @@ L.U.BaseAction = L.ToolbarAction.extend({ - - initialize: function (map) { - this.map = map; - this.options.toolbarIcon = { - className: this.options.className, - tooltip: this.options.tooltip - }; - L.ToolbarAction.prototype.initialize.call(this); - if (this.options.helpMenu && !this.map.helpMenuActions[this.options.className]) this.map.helpMenuActions[this.options.className] = this; + initialize: function (map) { + this.map = map + this.options.toolbarIcon = { + className: this.options.className, + tooltip: this.options.tooltip, } - -}); + L.ToolbarAction.prototype.initialize.call(this) + if (this.options.helpMenu && !this.map.helpMenuActions[this.options.className]) + this.map.helpMenuActions[this.options.className] = this + }, +}) L.U.ImportAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'upload-data dark', + tooltip: L._('Import data') + ' (Ctrl+I)', + }, - options: { - helpMenu: true, - className: 'upload-data dark', - tooltip: L._('Import data') + ' (Ctrl+I)' - }, - - addHooks: function () { - this.map.importPanel(); - } - -}); + addHooks: function () { + this.map.importPanel() + }, +}) L.U.EditPropertiesAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'update-map-settings dark', + tooltip: L._('Edit map settings'), + }, - options: { - helpMenu: true, - className: 'update-map-settings dark', - tooltip: L._('Edit map settings') - }, - - addHooks: function () { - this.map.edit(); - } - -}); + addHooks: function () { + this.map.edit() + }, +}) L.U.ChangeTileLayerAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'dark update-map-tilelayers', + tooltip: L._('Change tilelayers'), + }, - options: { - helpMenu: true, - className: 'dark update-map-tilelayers', - tooltip: L._('Change tilelayers') - }, - - addHooks: function () { - this.map.updateTileLayers(); - } - -}); + addHooks: function () { + this.map.updateTileLayers() + }, +}) L.U.ManageDatalayersAction = L.U.BaseAction.extend({ + options: { + className: 'dark manage-datalayers', + tooltip: L._('Manage layers'), + }, - options: { - className: 'dark manage-datalayers', - tooltip: L._('Manage layers') - }, - - addHooks: function () { - this.map.manageDatalayers(); - } - -}); + addHooks: function () { + this.map.manageDatalayers() + }, +}) L.U.UpdateExtentAction = L.U.BaseAction.extend({ + options: { + className: 'update-map-extent dark', + tooltip: L._('Save this center and zoom'), + }, - options: { - className: 'update-map-extent dark', - tooltip: L._('Save this center and zoom') - }, - - addHooks: function () { - this.map.updateExtent(); - } - -}); + addHooks: function () { + this.map.updateExtent() + }, +}) L.U.UpdatePermsAction = L.U.BaseAction.extend({ + options: { + className: 'update-map-permissions dark', + tooltip: L._('Update permissions and editors'), + }, - options: { - className: 'update-map-permissions dark', - tooltip: L._('Update permissions and editors') - }, - - addHooks: function () { - this.map.permissions.edit(); - } - -}); + addHooks: function () { + this.map.permissions.edit() + }, +}) L.U.DrawMarkerAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'umap-draw-marker dark', + tooltip: L._('Draw a marker'), + }, - options: { - helpMenu: true, - className: 'umap-draw-marker dark', - tooltip: L._('Draw a marker') - }, - - addHooks: function () { - this.map.startMarker(); - } - -}); + addHooks: function () { + this.map.startMarker() + }, +}) L.U.DrawPolylineAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'umap-draw-polyline dark', + tooltip: L._('Draw a polyline'), + }, - options: { - helpMenu: true, - className: 'umap-draw-polyline dark', - tooltip: L._('Draw a polyline') - }, - - addHooks: function () { - this.map.startPolyline(); - } - -}); + addHooks: function () { + this.map.startPolyline() + }, +}) L.U.DrawPolygonAction = L.U.BaseAction.extend({ + options: { + helpMenu: true, + className: 'umap-draw-polygon dark', + tooltip: L._('Draw a polygon'), + }, - options: { - helpMenu: true, - className: 'umap-draw-polygon dark', - tooltip: L._('Draw a polygon') - }, - - addHooks: function () { - this.map.startPolygon(); - } - -}); + addHooks: function () { + this.map.startPolygon() + }, +}) L.U.AddPolylineShapeAction = L.U.BaseAction.extend({ + options: { + className: 'umap-draw-polyline-multi dark', + tooltip: L._('Add a line to the current multi'), + }, - options: { - className: 'umap-draw-polyline-multi dark', - tooltip: L._('Add a line to the current multi') - }, - - addHooks: function () { - this.map.editedFeature.editor.newShape(); - } - -}); + addHooks: function () { + this.map.editedFeature.editor.newShape() + }, +}) L.U.AddPolygonShapeAction = L.U.AddPolylineShapeAction.extend({ - - options: { - className: 'umap-draw-polygon-multi dark', - tooltip: L._('Add a polygon to the current multi') - } - -}); + options: { + className: 'umap-draw-polygon-multi dark', + tooltip: L._('Add a polygon to the current multi'), + }, +}) L.U.BaseFeatureAction = L.ToolbarAction.extend({ + initialize: function (map, feature, latlng) { + this.map = map + this.feature = feature + this.latlng = latlng + L.ToolbarAction.prototype.initialize.call(this) + this.postInit() + }, - initialize: function (map, feature, latlng) { - this.map = map; - this.feature = feature; - this.latlng = latlng; - L.ToolbarAction.prototype.initialize.call(this); - this.postInit(); - }, + postInit: function () {}, - postInit: function () {}, + hideToolbar: function () { + this.map.removeLayer(this.toolbar) + }, - hideToolbar: function () { - this.map.removeLayer(this.toolbar); - }, - - addHooks: function () { - this.onClick({latlng: this.latlng}); - this.hideToolbar(); - } - -}); + addHooks: function () { + this.onClick({ latlng: this.latlng }) + this.hideToolbar() + }, +}) L.U.CreateHoleAction = L.U.BaseFeatureAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-new-hole', - tooltip: L._('Start a hole here') - } + options: { + toolbarIcon: { + className: 'umap-new-hole', + tooltip: L._('Start a hole here'), }, + }, - onClick: function (e) { - this.feature.startHole(e); - } - -}); + onClick: function (e) { + this.feature.startHole(e) + }, +}) L.U.ToggleEditAction = L.U.BaseFeatureAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-toggle-edit', - tooltip: L._('Toggle edit mode (Shift+Click)') - } + options: { + toolbarIcon: { + className: 'umap-toggle-edit', + tooltip: L._('Toggle edit mode (Shift+Click)'), }, + }, - onClick: function (e) { - if (this.feature._toggleEditing) this.feature._toggleEditing(e); // Path - else this.feature.edit(e); // Marker - } - -}); + onClick: function (e) { + if (this.feature._toggleEditing) this.feature._toggleEditing(e) // Path + else this.feature.edit(e) // Marker + }, +}) L.U.DeleteFeatureAction = L.U.BaseFeatureAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-delete-all', - tooltip: L._('Delete this feature') - } + options: { + toolbarIcon: { + className: 'umap-delete-all', + tooltip: L._('Delete this feature'), }, + }, - postInit: function () { - if (!this.feature.isMulti()) this.options.toolbarIcon.className = 'umap-delete-one-of-one'; - }, + postInit: function () { + if (!this.feature.isMulti()) + this.options.toolbarIcon.className = 'umap-delete-one-of-one' + }, - onClick: function (e) { - this.feature.confirmDelete(e); - } - -}); + onClick: function (e) { + this.feature.confirmDelete(e) + }, +}) L.U.DeleteShapeAction = L.U.BaseFeatureAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-delete-one-of-multi', - tooltip: L._('Delete this shape') - } + options: { + toolbarIcon: { + className: 'umap-delete-one-of-multi', + tooltip: L._('Delete this shape'), }, + }, - onClick: function (e) { - this.feature.enableEdit().deleteShapeAt(e.latlng); - } - -}); + onClick: function (e) { + this.feature.enableEdit().deleteShapeAt(e.latlng) + }, +}) L.U.ExtractShapeFromMultiAction = L.U.BaseFeatureAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-extract-shape-from-multi', - tooltip: L._('Extract shape to separate feature') - } + options: { + toolbarIcon: { + className: 'umap-extract-shape-from-multi', + tooltip: L._('Extract shape to separate feature'), }, + }, - onClick: function (e) { - this.feature.isolateShape(e.latlng); - } - -}); + onClick: function (e) { + this.feature.isolateShape(e.latlng) + }, +}) L.U.BaseVertexAction = L.U.BaseFeatureAction.extend({ - - initialize: function (map, feature, latlng, vertex) { - this.vertex = vertex; - L.U.BaseFeatureAction.prototype.initialize.call(this, map, feature, latlng); - } - -}); + initialize: function (map, feature, latlng, vertex) { + this.vertex = vertex + L.U.BaseFeatureAction.prototype.initialize.call(this, map, feature, latlng) + }, +}) L.U.DeleteVertexAction = L.U.BaseVertexAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-delete-vertex', - tooltip: L._('Delete this vertex (Alt+Click)') - } + options: { + toolbarIcon: { + className: 'umap-delete-vertex', + tooltip: L._('Delete this vertex (Alt+Click)'), }, + }, - onClick: function () { - this.vertex.delete(); - } - -}); + onClick: function () { + this.vertex.delete() + }, +}) L.U.SplitLineAction = L.U.BaseVertexAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-split-line', - tooltip: L._('Split line') - } + options: { + toolbarIcon: { + className: 'umap-split-line', + tooltip: L._('Split line'), }, + }, - onClick: function () { - this.vertex.split(); - } - -}); + onClick: function () { + this.vertex.split() + }, +}) L.U.ContinueLineAction = L.U.BaseVertexAction.extend({ - - options: { - toolbarIcon: { - className: 'umap-continue-line', - tooltip: L._('Continue line') - } + options: { + toolbarIcon: { + className: 'umap-continue-line', + tooltip: L._('Continue line'), }, + }, - onClick: function () { - this.vertex.continue(); - } - -}); + onClick: function () { + this.vertex.continue() + }, +}) // Leaflet.Toolbar doesn't allow twice same toolbar class… -L.U.SettingsToolbar = L.Toolbar.Control.extend({}); +L.U.SettingsToolbar = L.Toolbar.Control.extend({}) L.U.DrawToolbar = L.Toolbar.Control.extend({ + initialize: function (options) { + L.Toolbar.Control.prototype.initialize.call(this, options) + this.map = this.options.map + this.map.on('seteditedfeature', this.redraw, this) + }, - initialize: function (options) { - L.Toolbar.Control.prototype.initialize.call(this, options); - this.map = this.options.map; - this.map.on('seteditedfeature', this.redraw, this); - }, - - appendToContainer: function (container) { - this.options.actions = []; - if (this.map.options.enableMarkerDraw) { - this.options.actions.push(L.U.DrawMarkerAction); - } - if (this.map.options.enablePolylineDraw) { - this.options.actions.push(L.U.DrawPolylineAction); - if (this.map.editedFeature && this.map.editedFeature instanceof L.U.Polyline) { - this.options.actions.push(L.U.AddPolylineShapeAction); - } - } - if (this.map.options.enablePolygonDraw) { - this.options.actions.push(L.U.DrawPolygonAction); - if (this.map.editedFeature && this.map.editedFeature instanceof L.U.Polygon) { - this.options.actions.push(L.U.AddPolygonShapeAction); - } - } - L.Toolbar.Control.prototype.appendToContainer.call(this, container); - }, - - redraw: function () { - var container = this._control.getContainer(); - container.innerHTML = ''; - this.appendToContainer(container); + appendToContainer: function (container) { + this.options.actions = [] + if (this.map.options.enableMarkerDraw) { + this.options.actions.push(L.U.DrawMarkerAction) } + if (this.map.options.enablePolylineDraw) { + this.options.actions.push(L.U.DrawPolylineAction) + if (this.map.editedFeature && this.map.editedFeature instanceof L.U.Polyline) { + this.options.actions.push(L.U.AddPolylineShapeAction) + } + } + if (this.map.options.enablePolygonDraw) { + this.options.actions.push(L.U.DrawPolygonAction) + if (this.map.editedFeature && this.map.editedFeature instanceof L.U.Polygon) { + this.options.actions.push(L.U.AddPolygonShapeAction) + } + } + L.Toolbar.Control.prototype.appendToContainer.call(this, container) + }, -}); - + redraw: function () { + var container = this._control.getContainer() + container.innerHTML = '' + this.appendToContainer(container) + }, +}) L.U.EditControl = L.Control.extend({ + options: { + position: 'topright', + }, - options: { - position: 'topright' - }, + onAdd: function (map) { + var container = L.DomUtil.create('div', 'leaflet-control-edit-enable umap-control'), + edit = L.DomUtil.create('a', '', container) + edit.href = '#' + edit.title = L._('Enable editing') + ' (Ctrl+E)' - onAdd: function (map) { - var container = L.DomUtil.create('div', 'leaflet-control-edit-enable umap-control'), - edit = L.DomUtil.create('a', '', container); - edit.href = '#'; - edit.title = L._('Enable editing') + ' (Ctrl+E)'; - - L.DomEvent - .addListener(edit, 'click', L.DomEvent.stop) - .addListener(edit, 'click', map.enableEdit, map); - return container; - } - -}); + L.DomEvent.addListener(edit, 'click', L.DomEvent.stop).addListener( + edit, + 'click', + map.enableEdit, + map + ) + return container + }, +}) /* Share control */ L.Control.Embed = L.Control.extend({ + options: { + position: 'topleft', + }, - options: { - position: 'topleft' - }, + onAdd: function (map) { + var container = L.DomUtil.create('div', 'leaflet-control-embed umap-control') - onAdd: function (map) { - var container = L.DomUtil.create('div', 'leaflet-control-embed umap-control'); + var link = L.DomUtil.create('a', '', container) + link.href = '#' + link.title = L._('Embed and share this map') - var link = L.DomUtil.create('a', '', container); - link.href = '#'; - link.title = L._('Embed and share this map'); + L.DomEvent.on(link, 'click', L.DomEvent.stop) + .on(link, 'click', map.renderShareBox, map) + .on(link, 'dblclick', L.DomEvent.stopPropagation) - L.DomEvent - .on(link, 'click', L.DomEvent.stop) - .on(link, 'click', map.renderShareBox, map) - .on(link, 'dblclick', L.DomEvent.stopPropagation); - - return container; - } -}); + return container + }, +}) L.U.MoreControls = L.Control.extend({ + options: { + position: 'topleft', + }, - options: { - position: 'topleft' - }, + onAdd: function () { + var container = L.DomUtil.create('div', ''), + more = L.DomUtil.create('a', 'umap-control-more umap-control-text', container), + less = L.DomUtil.create('a', 'umap-control-less umap-control-text', container) + more.href = '#' + more.title = L._('More controls') - onAdd: function () { - var container = L.DomUtil.create('div', ''), - more = L.DomUtil.create('a', 'umap-control-more umap-control-text', container), - less = L.DomUtil.create('a', 'umap-control-less umap-control-text', container); - more.href = '#'; - more.title = L._('More controls'); + L.DomEvent.on(more, 'click', L.DomEvent.stop).on(more, 'click', this.toggle, this) - L.DomEvent - .on(more, 'click', L.DomEvent.stop) - .on(more, 'click', this.toggle, this); + less.href = '#' + less.title = L._('Hide controls') - less.href = '#'; - less.title = L._('Hide controls'); + L.DomEvent.on(less, 'click', L.DomEvent.stop).on(less, 'click', this.toggle, this) - L.DomEvent - .on(less, 'click', L.DomEvent.stop) - .on(less, 'click', this.toggle, this); - - return container; - }, - - toggle: function () { - var pos = this.getPosition(), - corner = this._map._controlCorners[pos], - className = 'umap-more-controls'; - if (L.DomUtil.hasClass(corner, className)) L.DomUtil.removeClass(corner, className); - else L.DomUtil.addClass(corner, className); - } - -}); + return container + }, + toggle: function () { + var pos = this.getPosition(), + corner = this._map._controlCorners[pos], + className = 'umap-more-controls' + if (L.DomUtil.hasClass(corner, className)) L.DomUtil.removeClass(corner, className) + else L.DomUtil.addClass(corner, className) + }, +}) L.U.PermanentCreditsControl = L.Control.extend({ + options: { + position: 'bottomleft', + }, - options: { - position: 'bottomleft' - }, + initialize: function (map, options) { + this.map = map + L.Control.prototype.initialize.call(this, options) + }, - initialize: function (map, options) { - this.map = map; - L.Control.prototype.initialize.call(this, options); - }, + onAdd: function () { + var paragraphContainer = L.DomUtil.create( + 'div', + 'umap-permanent-credits-container' + ), + creditsParagraph = L.DomUtil.create('p', '', paragraphContainer) - onAdd: function () { - var paragraphContainer = L.DomUtil.create('div', 'umap-permanent-credits-container'), - creditsParagraph = L.DomUtil.create('p', '', paragraphContainer); + this.paragraphContainer = paragraphContainer + this.setCredits() + this.setBackground() - this.paragraphContainer = paragraphContainer; - this.setCredits(); - this.setBackground(); + return paragraphContainer + }, - return paragraphContainer; - }, + setCredits: function () { + this.paragraphContainer.innerHTML = L.Util.toHTML(this.map.options.permanentCredit) + }, - setCredits: function () { - this.paragraphContainer.innerHTML = L.Util.toHTML(this.map.options.permanentCredit); - }, - - setBackground: function () { - if (this.map.options.permanentCreditBackground) { - this.paragraphContainer.style.backgroundColor = '#FFFFFFB0'; - } else { - this.paragraphContainer.style.backgroundColor = ''; - } + setBackground: function () { + if (this.map.options.permanentCreditBackground) { + this.paragraphContainer.style.backgroundColor = '#FFFFFFB0' + } else { + this.paragraphContainer.style.backgroundColor = '' } - -}); - + }, +}) L.U.DataLayersControl = L.Control.extend({ + options: { + position: 'topleft', + }, - options: { - position: 'topleft' - }, + labels: { + zoomToLayer: L._('Zoom to layer extent'), + toggleLayer: L._('Show/hide layer'), + editLayer: L._('Edit'), + }, - labels: { - zoomToLayer: L._('Zoom to layer extent'), - toggleLayer: L._('Show/hide layer'), - editLayer: L._('Edit') - }, + initialize: function (map, options) { + this.map = map + L.Control.prototype.initialize.call(this, options) + }, - initialize: function (map, options) { - this.map = map; - L.Control.prototype.initialize.call(this, options); - }, + _initLayout: function (map) { + var container = (this._container = L.DomUtil.create( + 'div', + 'leaflet-control-browse umap-control' + )), + actions = L.DomUtil.create('div', 'umap-browse-actions', container) + this._datalayers_container = L.DomUtil.create( + 'ul', + 'umap-browse-datalayers', + actions + ) - _initLayout: function (map) { - var container = this._container = L.DomUtil.create('div', 'leaflet-control-browse umap-control'), - actions = L.DomUtil.create('div', 'umap-browse-actions', container); - this._datalayers_container = L.DomUtil.create('ul', 'umap-browse-datalayers', actions); + var link = L.DomUtil.create('a', 'umap-browse-link', actions) + link.href = '#' + link.title = link.textContent = L._('Browse data') - var link = L.DomUtil.create('a', 'umap-browse-link', actions); - link.href = '#'; - link.title = link.textContent = L._('Browse data'); + var toggle = L.DomUtil.create('a', 'umap-browse-toggle', container) + toggle.href = '#' + toggle.title = L._('See data layers') - var toggle = L.DomUtil.create('a', 'umap-browse-toggle', container); - toggle.href = '#'; - toggle.title = L._('See data layers') + L.DomEvent.on(toggle, 'click', L.DomEvent.stop) - L.DomEvent - .on(toggle, 'click', L.DomEvent.stop); + L.DomEvent.on(link, 'click', L.DomEvent.stop).on( + link, + 'click', + map.openBrowser, + map + ) - L.DomEvent - .on(link, 'click', L.DomEvent.stop) - .on(link, 'click', map.openBrowser, map); + map.whenReady(function () { + this.update() + }, this) - map.whenReady(function () { - this.update(); - }, this); - - if (L.Browser.pointer) { - L.DomEvent.disableClickPropagation(container); - L.DomEvent.on(container, 'mousewheel', L.DomEvent.stopPropagation); - L.DomEvent.on(container, 'MozMousePixelScroll', L.DomEvent.stopPropagation); - } - if (!L.Browser.touch) { - L.DomEvent.on(container, { - mouseenter: this.expand, - mouseleave: this.collapse - }, this); - } else { - L.DomEvent.on(container, 'click', L.DomEvent.stopPropagation); - L.DomEvent.on(toggle, 'click', L.DomEvent.stop) - .on(toggle, 'click', this.expand, this); - map.on('click', this.collapse, this); - } - - return container; - }, - - onAdd: function (map) { - if (!this._container) this._initLayout(map); - if (map.options.datalayersControl === 'expanded') this.expand(); - return this._container; - }, - - onRemove: function (map) { - this.collapse(); - }, - - update: function () { - if (this._datalayers_container && this._map) { - this._datalayers_container.innerHTML = ''; - this._map.eachDataLayerReverse(function (datalayer) { - this.addDataLayer(this._datalayers_container, datalayer); - }, this) - } - }, - - expand: function () { - L.DomUtil.addClass(this._container, 'expanded'); - }, - - collapse: function () { - if (this._map.options.datalayersControl === 'expanded') return; - L.DomUtil.removeClass(this._container, 'expanded'); - }, - - addDataLayer: function (container, datalayer, draggable) { - var datalayerLi = L.DomUtil.create('li', '', container); - if (draggable) L.DomUtil.element('i', {className: 'drag-handle', title: L._('Drag to reorder')}, datalayerLi); - datalayer.renderToolbox(datalayerLi); - var title = L.DomUtil.add('span', 'layer-title', datalayerLi, datalayer.options.name); - - datalayerLi.id = 'browse_data_toggle_' + L.stamp(datalayer); - L.DomUtil.classIf(datalayerLi, 'off', !datalayer.isVisible()); - - title.textContent = datalayer.options.name; - }, - - newDataLayer: function () { - var datalayer = this.map.createDataLayer({}); - datalayer.edit(); - }, - - openPanel: function () { - if (!this.map.editEnabled) return; - var container = L.DomUtil.create('ul', 'umap-browse-datalayers'); - this.map.eachDataLayerReverse(function (datalayer) { - this.addDataLayer(container, datalayer, true); - }, this); - var orderable = new L.U.Orderable(container); - orderable.on('drop', function (e) { - var layer = this.map.datalayers[e.src.dataset.id], - other = this.map.datalayers[e.dst.dataset.id], - minIndex = Math.min(e.initialIndex, e.finalIndex); - if (e.finalIndex === 0) layer.bringToTop(); - else if (e.finalIndex > e.initialIndex) layer.insertBefore(other); - else layer.insertAfter(other); - this.map.eachDataLayerReverse(function (datalayer) { - if (datalayer.getRank() >= minIndex) datalayer.isDirty = true; - }); - this.map.indexDatalayers(); - }, this); - - var bar = L.DomUtil.create('div', 'button-bar', container), - add = L.DomUtil.create('a', 'show-on-edit block add-datalayer button', bar); - add.href = '#'; - add.textContent = add.title = L._('Add a layer'); - - L.DomEvent - .on(add, 'click', L.DomEvent.stop) - .on(add, 'click', this.newDataLayer, this); - - this.map.ui.openPanel({data: {html: container}, className: 'dark'}); + if (L.Browser.pointer) { + L.DomEvent.disableClickPropagation(container) + L.DomEvent.on(container, 'mousewheel', L.DomEvent.stopPropagation) + L.DomEvent.on(container, 'MozMousePixelScroll', L.DomEvent.stopPropagation) + } + if (!L.Browser.touch) { + L.DomEvent.on( + container, + { + mouseenter: this.expand, + mouseleave: this.collapse, + }, + this + ) + } else { + L.DomEvent.on(container, 'click', L.DomEvent.stopPropagation) + L.DomEvent.on(toggle, 'click', L.DomEvent.stop).on( + toggle, + 'click', + this.expand, + this + ) + map.on('click', this.collapse, this) } -}); + return container + }, + + onAdd: function (map) { + if (!this._container) this._initLayout(map) + if (map.options.datalayersControl === 'expanded') this.expand() + return this._container + }, + + onRemove: function (map) { + this.collapse() + }, + + update: function () { + if (this._datalayers_container && this._map) { + this._datalayers_container.innerHTML = '' + this._map.eachDataLayerReverse(function (datalayer) { + this.addDataLayer(this._datalayers_container, datalayer) + }, this) + } + }, + + expand: function () { + L.DomUtil.addClass(this._container, 'expanded') + }, + + collapse: function () { + if (this._map.options.datalayersControl === 'expanded') return + L.DomUtil.removeClass(this._container, 'expanded') + }, + + addDataLayer: function (container, datalayer, draggable) { + var datalayerLi = L.DomUtil.create('li', '', container) + if (draggable) + L.DomUtil.element( + 'i', + { className: 'drag-handle', title: L._('Drag to reorder') }, + datalayerLi + ) + datalayer.renderToolbox(datalayerLi) + var title = L.DomUtil.add( + 'span', + 'layer-title', + datalayerLi, + datalayer.options.name + ) + + datalayerLi.id = 'browse_data_toggle_' + L.stamp(datalayer) + L.DomUtil.classIf(datalayerLi, 'off', !datalayer.isVisible()) + + title.textContent = datalayer.options.name + }, + + newDataLayer: function () { + var datalayer = this.map.createDataLayer({}) + datalayer.edit() + }, + + openPanel: function () { + if (!this.map.editEnabled) return + var container = L.DomUtil.create('ul', 'umap-browse-datalayers') + this.map.eachDataLayerReverse(function (datalayer) { + this.addDataLayer(container, datalayer, true) + }, this) + var orderable = new L.U.Orderable(container) + orderable.on( + 'drop', + function (e) { + var layer = this.map.datalayers[e.src.dataset.id], + other = this.map.datalayers[e.dst.dataset.id], + minIndex = Math.min(e.initialIndex, e.finalIndex) + if (e.finalIndex === 0) layer.bringToTop() + else if (e.finalIndex > e.initialIndex) layer.insertBefore(other) + else layer.insertAfter(other) + this.map.eachDataLayerReverse(function (datalayer) { + if (datalayer.getRank() >= minIndex) datalayer.isDirty = true + }) + this.map.indexDatalayers() + }, + this + ) + + var bar = L.DomUtil.create('div', 'button-bar', container), + add = L.DomUtil.create('a', 'show-on-edit block add-datalayer button', bar) + add.href = '#' + add.textContent = add.title = L._('Add a layer') + + L.DomEvent.on(add, 'click', L.DomEvent.stop).on( + add, + 'click', + this.newDataLayer, + this + ) + + this.map.ui.openPanel({ data: { html: container }, className: 'dark' }) + }, +}) L.U.DataLayer.include({ + renderToolbox: function (container) { + var toggle = L.DomUtil.create('i', 'layer-toggle', container), + zoomTo = L.DomUtil.create('i', 'layer-zoom_to', container), + edit = L.DomUtil.create('i', 'layer-edit show-on-edit', container), + table = L.DomUtil.create('i', 'layer-table-edit show-on-edit', container), + remove = L.DomUtil.create('i', 'layer-delete show-on-edit', container) + zoomTo.title = L._('Zoom to layer extent') + toggle.title = L._('Show/hide layer') + edit.title = L._('Edit') + table.title = L._('Edit properties in a table') + remove.title = L._('Delete layer') + L.DomEvent.on(toggle, 'click', this.toggle, this) + L.DomEvent.on(zoomTo, 'click', this.zoomTo, this) + L.DomEvent.on(edit, 'click', this.edit, this) + L.DomEvent.on(table, 'click', this.tableEdit, this) + L.DomEvent.on( + remove, + 'click', + function () { + if (!this.isVisible()) return + if (!confirm(L._('Are you sure you want to delete this layer?'))) return + this._delete() + this.map.ui.closePanel() + }, + this + ) + L.DomUtil.addClass(container, this.getHidableClass()) + L.DomUtil.classIf(container, 'off', !this.isVisible()) + container.dataset.id = L.stamp(this) + }, - renderToolbox: function (container) { - var toggle = L.DomUtil.create('i', 'layer-toggle', container), - zoomTo = L.DomUtil.create('i', 'layer-zoom_to', container), - edit = L.DomUtil.create('i', 'layer-edit show-on-edit', container), - table = L.DomUtil.create('i', 'layer-table-edit show-on-edit', container), - remove = L.DomUtil.create('i', 'layer-delete show-on-edit', container); - zoomTo.title = L._('Zoom to layer extent'); - toggle.title = L._('Show/hide layer'); - edit.title = L._('Edit'); - table.title = L._('Edit properties in a table'); - remove.title = L._('Delete layer'); - L.DomEvent.on(toggle, 'click', this.toggle, this); - L.DomEvent.on(zoomTo, 'click', this.zoomTo, this); - L.DomEvent.on(edit, 'click', this.edit, this); - L.DomEvent.on(table, 'click', this.tableEdit, this); - L.DomEvent.on(remove, 'click', function () { - if (!this.isVisible()) return; - if (!confirm(L._('Are you sure you want to delete this layer?'))) return; - this._delete(); - this.map.ui.closePanel(); - }, this); - L.DomUtil.addClass(container, this.getHidableClass()); - L.DomUtil.classIf(container, 'off', !this.isVisible()); - container.dataset.id = L.stamp(this); - }, + getHidableElements: function () { + return document.querySelectorAll('.' + this.getHidableClass()) + }, - getHidableElements: function () { - return document.querySelectorAll('.' + this.getHidableClass()); - }, + getHidableClass: function () { + return 'show_with_datalayer_' + L.stamp(this) + }, - getHidableClass: function () { - return 'show_with_datalayer_' + L.stamp(this); - }, - - propagateRemote: function () { - var els = this.getHidableElements(); - for (var i = 0; i < els.length; i++) { - L.DomUtil.classIf(els[i], 'remotelayer', this.isRemoteLayer()); - } - }, - - propagateHide: function () { - var els = this.getHidableElements(); - for (var i = 0; i < els.length; i++) { - L.DomUtil.addClass(els[i], 'off'); - } - }, - - propagateShow: function () { - this.onceLoaded(function () { - var els = this.getHidableElements(); - for (var i = 0; i < els.length; i++) { - L.DomUtil.removeClass(els[i], 'off'); - } - }, this); + propagateRemote: function () { + var els = this.getHidableElements() + for (var i = 0; i < els.length; i++) { + L.DomUtil.classIf(els[i], 'remotelayer', this.isRemoteLayer()) } + }, -}); + propagateHide: function () { + var els = this.getHidableElements() + for (var i = 0; i < els.length; i++) { + L.DomUtil.addClass(els[i], 'off') + } + }, + + propagateShow: function () { + this.onceLoaded(function () { + var els = this.getHidableElements() + for (var i = 0; i < els.length; i++) { + L.DomUtil.removeClass(els[i], 'off') + } + }, this) + }, +}) L.U.DataLayer.addInitHook(function () { - this.on('hide', this.propagateHide); - this.on('show', this.propagateShow); - this.propagateShow(); -}); - + this.on('hide', this.propagateHide) + this.on('show', this.propagateShow) + this.propagateShow() +}) L.U.Map.include({ + _openBrowser: function () { + var browserContainer = L.DomUtil.create('div', 'umap-browse-data'), + title = L.DomUtil.add( + 'h3', + 'umap-browse-title', + browserContainer, + this.options.name + ), + filter = L.DomUtil.create('input', '', browserContainer), + filterValue = '', + featuresContainer = L.DomUtil.create( + 'div', + 'umap-browse-features', + browserContainer + ), + filterKeys = this.getFilterKeys() + filter.type = 'text' + filter.placeholder = L._('Filter…') + filter.value = this.options.filter || '' - _openBrowser: function () { - var browserContainer = L.DomUtil.create('div', 'umap-browse-data'), - title = L.DomUtil.add('h3', 'umap-browse-title', browserContainer, this.options.name), - filter = L.DomUtil.create('input', '', browserContainer), - filterValue = '', - featuresContainer = L.DomUtil.create('div', 'umap-browse-features', browserContainer), - filterKeys = this.getFilterKeys(); - filter.type = 'text'; - filter.placeholder = L._('Filter…'); - filter.value = this.options.filter || ''; - - var addFeature = function (feature) { - var feature_li = L.DomUtil.create('li', feature.getClassName() + ' feature'), - zoom_to = L.DomUtil.create('i', 'feature-zoom_to', feature_li), - edit = L.DomUtil.create('i', 'show-on-edit feature-edit', feature_li), - color = L.DomUtil.create('i', 'feature-color', feature_li), - title = L.DomUtil.create('span', 'feature-title', feature_li), - symbol = feature._getIconUrl ? L.U.Icon.prototype.formatUrl(feature._getIconUrl(), feature): null; - zoom_to.title = L._('Bring feature to center'); - edit.title = L._('Edit this feature'); - title.textContent = feature.getDisplayName() || '—'; - color.style.backgroundColor = feature.getOption('color'); - if (symbol) { - color.style.backgroundImage = 'url(' + symbol + ')'; - } - L.DomEvent.on(zoom_to, 'click', function (e) { - e.callback = L.bind(this.view, this); - this.zoomTo(e); - }, feature); - L.DomEvent.on(title, 'click', function (e) { - e.callback = L.bind(this.view, this) - this.zoomTo(e); - }, feature); - L.DomEvent.on(edit, 'click', function () { - this.edit(); - }, feature); - return feature_li; - }; - - var append = function (datalayer) { - var container = L.DomUtil.create('div', datalayer.getHidableClass(), featuresContainer), - headline = L.DomUtil.create('h5', '', container); - container.id = 'browse_data_datalayer_' + datalayer.umap_id; - datalayer.renderToolbox(headline); - L.DomUtil.add('span', '', headline, datalayer.options.name); - var ul = L.DomUtil.create('ul', '', container); - L.DomUtil.classIf(container, 'off', !datalayer.isVisible()); - - var build = function () { - ul.innerHTML = ''; - datalayer.eachFeature(function (feature) { - if ((filterValue && !feature.matchFilter(filterValue, filterKeys)) || feature.properties.isVisible === false) return; - ul.appendChild(addFeature(feature)); - }); - }; - build(); - datalayer.on('datachanged', build); - datalayer.map.ui.once('panel:closed', function () { - datalayer.off('datachanged', build); - }); - datalayer.map.ui.once('panel:ready', function () { - datalayer.map.ui.once('panel:ready', function () { - datalayer.off('datachanged', build); - }); - }); - }; - - var appendAll = function () { - this.options.filter = filterValue = filter.value; - featuresContainer.innerHTML = ''; - this.eachBrowsableDataLayer(function (datalayer) { - append(datalayer); - }); - }; - var resetLayers = function () { - this.eachBrowsableDataLayer(function (datalayer) { - datalayer.resetLayer(true); - }); - } - L.bind(appendAll, this)(); - L.DomEvent.on(filter, 'input', appendAll, this); - L.DomEvent.on(filter, 'input', resetLayers, this); - var link = L.DomUtil.create('li', ''); - L.DomUtil.create('i', 'umap-icon-16 umap-caption', link); - var label = L.DomUtil.create('span', '', link); - label.textContent = label.title = L._('About'); - L.DomEvent.on(link, 'click', this.displayCaption, this); - this.ui.openPanel({data: {html: browserContainer}, actions: [link]}); - }, - - _openFilter: function () { - var filterContainer = L.DomUtil.create('div', 'umap-filter-data'), - title = L.DomUtil.add('h3', 'umap-filter-title', filterContainer, this.options.name), - propertiesContainer = L.DomUtil.create('div', 'umap-filter-properties', filterContainer), - advancedFilterKeys = this.getAdvancedFilterKeys(); - - var advancedFiltersFull = {}; - var filtersAlreadyLoaded = true; - if (!this.getMap().options.advancedFilters) { - this.getMap().options.advancedFilters = {}; - filtersAlreadyLoaded = false; - } - advancedFilterKeys.forEach(property => { - advancedFiltersFull[property] = []; - if (!filtersAlreadyLoaded || !this.getMap().options.advancedFilters[property]) { - this.getMap().options.advancedFilters[property] = []; - } - }); - this.eachDataLayer(function (datalayer) { - datalayer.eachFeature(function (feature) { - advancedFilterKeys.forEach(property => { - if (feature.properties[property]) { - if (!advancedFiltersFull[property].includes(feature.properties[property])) { - advancedFiltersFull[property].push(feature.properties[property]); - } - } - }); - }); - }); - - var addPropertyValue = function (property, value) { - var property_li = L.DomUtil.create('li', ''), - filter_check = L.DomUtil.create('input', '', property_li), - filter_label = L.DomUtil.create('label', '', property_li); - filter_check.type = 'checkbox'; - filter_check.id = `checkbox_${property}_${value}`; - filter_check.checked = this.getMap().options.advancedFilters[property] && this.getMap().options.advancedFilters[property].includes(value); - filter_check.setAttribute('data-property', property); - filter_check.setAttribute('data-value', value); - filter_label.htmlFor = `checkbox_${property}_${value}`; - filter_label.innerHTML = value; - L.DomEvent.on(filter_check, 'change', function (e) { - var property = e.srcElement.dataset.property; - var value = e.srcElement.dataset.value; - if (e.srcElement.checked) { - this.getMap().options.advancedFilters[property].push(value); - } else { - this.getMap().options.advancedFilters[property].splice(this.getMap().options.advancedFilters[property].indexOf(value), 1); - } - L.bind(filterFeatures, this)(); - }, this); - return property_li - }; - - var addProperty = function (property) { - var container = L.DomUtil.create('div', 'property-container', propertiesContainer), - headline = L.DomUtil.add('h5', '', container, property); - var ul = L.DomUtil.create('ul', '', container); - var orderedValues = advancedFiltersFull[property]; - orderedValues.sort(); - orderedValues.forEach(value => { - ul.appendChild(L.bind(addPropertyValue, this)(property, value)); - }); - }; - - var filterFeatures = function () { - var noResults = true; - this.eachDataLayer(function (datalayer) { - datalayer.eachFeature(function (feature) { - feature.properties.isVisible = true; - for (const [property, values] of Object.entries(this.map.options.advancedFilters)) { - if (values.length > 0) { - if (!feature.properties[property] || !values.includes(feature.properties[property])) { - feature.properties.isVisible = false; - } - } - } - if (feature.properties.isVisible) { - noResults = false; - if (!this.isLoaded()) this.fetchData(); - this.map.addLayer(feature); - this.fire('show'); - } else { - this.map.removeLayer(feature); - this.fire('hide'); - } - }); - }); - if (noResults) { - this.help.show('advancedFiltersNoResults'); - } else { - this.help.hide(); - } - }; - - propertiesContainer.innerHTML = ''; - advancedFilterKeys.forEach(property => { - L.bind(addProperty, this)(property); - }); - - var link = L.DomUtil.create('li', ''); - L.DomUtil.create('i', 'umap-icon-16 umap-caption', link); - var label = L.DomUtil.create('span', '', link); - label.textContent = label.title = L._('About'); - L.DomEvent.on(link, 'click', this.displayCaption, this); - this.ui.openPanel({ data: { html: filterContainer }, actions: [link] }); + var addFeature = function (feature) { + var feature_li = L.DomUtil.create('li', feature.getClassName() + ' feature'), + zoom_to = L.DomUtil.create('i', 'feature-zoom_to', feature_li), + edit = L.DomUtil.create('i', 'show-on-edit feature-edit', feature_li), + color = L.DomUtil.create('i', 'feature-color', feature_li), + title = L.DomUtil.create('span', 'feature-title', feature_li), + symbol = feature._getIconUrl + ? L.U.Icon.prototype.formatUrl(feature._getIconUrl(), feature) + : null + zoom_to.title = L._('Bring feature to center') + edit.title = L._('Edit this feature') + title.textContent = feature.getDisplayName() || '—' + color.style.backgroundColor = feature.getOption('color') + if (symbol) { + color.style.backgroundImage = 'url(' + symbol + ')' + } + L.DomEvent.on( + zoom_to, + 'click', + function (e) { + e.callback = L.bind(this.view, this) + this.zoomTo(e) + }, + feature + ) + L.DomEvent.on( + title, + 'click', + function (e) { + e.callback = L.bind(this.view, this) + this.zoomTo(e) + }, + feature + ) + L.DomEvent.on( + edit, + 'click', + function () { + this.edit() + }, + feature + ) + return feature_li } -}); + var append = function (datalayer) { + var container = L.DomUtil.create( + 'div', + datalayer.getHidableClass(), + featuresContainer + ), + headline = L.DomUtil.create('h5', '', container) + container.id = 'browse_data_datalayer_' + datalayer.umap_id + datalayer.renderToolbox(headline) + L.DomUtil.add('span', '', headline, datalayer.options.name) + var ul = L.DomUtil.create('ul', '', container) + L.DomUtil.classIf(container, 'off', !datalayer.isVisible()) + var build = function () { + ul.innerHTML = '' + datalayer.eachFeature(function (feature) { + if ( + (filterValue && !feature.matchFilter(filterValue, filterKeys)) || + feature.properties.isVisible === false + ) + return + ul.appendChild(addFeature(feature)) + }) + } + build() + datalayer.on('datachanged', build) + datalayer.map.ui.once('panel:closed', function () { + datalayer.off('datachanged', build) + }) + datalayer.map.ui.once('panel:ready', function () { + datalayer.map.ui.once('panel:ready', function () { + datalayer.off('datachanged', build) + }) + }) + } + var appendAll = function () { + this.options.filter = filterValue = filter.value + featuresContainer.innerHTML = '' + this.eachBrowsableDataLayer(function (datalayer) { + append(datalayer) + }) + } + var resetLayers = function () { + this.eachBrowsableDataLayer(function (datalayer) { + datalayer.resetLayer(true) + }) + } + L.bind(appendAll, this)() + L.DomEvent.on(filter, 'input', appendAll, this) + L.DomEvent.on(filter, 'input', resetLayers, this) + var link = L.DomUtil.create('li', '') + L.DomUtil.create('i', 'umap-icon-16 umap-caption', link) + var label = L.DomUtil.create('span', '', link) + label.textContent = label.title = L._('About') + L.DomEvent.on(link, 'click', this.displayCaption, this) + this.ui.openPanel({ data: { html: browserContainer }, actions: [link] }) + }, + + _openFilter: function () { + var filterContainer = L.DomUtil.create('div', 'umap-filter-data'), + title = L.DomUtil.add( + 'h3', + 'umap-filter-title', + filterContainer, + this.options.name + ), + propertiesContainer = L.DomUtil.create( + 'div', + 'umap-filter-properties', + filterContainer + ), + advancedFilterKeys = this.getAdvancedFilterKeys() + + var advancedFiltersFull = {} + var filtersAlreadyLoaded = true + if (!this.getMap().options.advancedFilters) { + this.getMap().options.advancedFilters = {} + filtersAlreadyLoaded = false + } + advancedFilterKeys.forEach((property) => { + advancedFiltersFull[property] = [] + if (!filtersAlreadyLoaded || !this.getMap().options.advancedFilters[property]) { + this.getMap().options.advancedFilters[property] = [] + } + }) + this.eachDataLayer(function (datalayer) { + datalayer.eachFeature(function (feature) { + advancedFilterKeys.forEach((property) => { + if (feature.properties[property]) { + if (!advancedFiltersFull[property].includes(feature.properties[property])) { + advancedFiltersFull[property].push(feature.properties[property]) + } + } + }) + }) + }) + + var addPropertyValue = function (property, value) { + var property_li = L.DomUtil.create('li', ''), + filter_check = L.DomUtil.create('input', '', property_li), + filter_label = L.DomUtil.create('label', '', property_li) + filter_check.type = 'checkbox' + filter_check.id = `checkbox_${property}_${value}` + filter_check.checked = + this.getMap().options.advancedFilters[property] && + this.getMap().options.advancedFilters[property].includes(value) + filter_check.setAttribute('data-property', property) + filter_check.setAttribute('data-value', value) + filter_label.htmlFor = `checkbox_${property}_${value}` + filter_label.innerHTML = value + L.DomEvent.on( + filter_check, + 'change', + function (e) { + var property = e.srcElement.dataset.property + var value = e.srcElement.dataset.value + if (e.srcElement.checked) { + this.getMap().options.advancedFilters[property].push(value) + } else { + this.getMap().options.advancedFilters[property].splice( + this.getMap().options.advancedFilters[property].indexOf(value), + 1 + ) + } + L.bind(filterFeatures, this)() + }, + this + ) + return property_li + } + + var addProperty = function (property) { + var container = L.DomUtil.create( + 'div', + 'property-container', + propertiesContainer + ), + headline = L.DomUtil.add('h5', '', container, property) + var ul = L.DomUtil.create('ul', '', container) + var orderedValues = advancedFiltersFull[property] + orderedValues.sort() + orderedValues.forEach((value) => { + ul.appendChild(L.bind(addPropertyValue, this)(property, value)) + }) + } + + var filterFeatures = function () { + var noResults = true + this.eachDataLayer(function (datalayer) { + datalayer.eachFeature(function (feature) { + feature.properties.isVisible = true + for (const [property, values] of Object.entries( + this.map.options.advancedFilters + )) { + if (values.length > 0) { + if ( + !feature.properties[property] || + !values.includes(feature.properties[property]) + ) { + feature.properties.isVisible = false + } + } + } + if (feature.properties.isVisible) { + noResults = false + if (!this.isLoaded()) this.fetchData() + this.map.addLayer(feature) + this.fire('show') + } else { + this.map.removeLayer(feature) + this.fire('hide') + } + }) + }) + if (noResults) { + this.help.show('advancedFiltersNoResults') + } else { + this.help.hide() + } + } + + propertiesContainer.innerHTML = '' + advancedFilterKeys.forEach((property) => { + L.bind(addProperty, this)(property) + }) + + var link = L.DomUtil.create('li', '') + L.DomUtil.create('i', 'umap-icon-16 umap-caption', link) + var label = L.DomUtil.create('span', '', link) + label.textContent = label.title = L._('About') + L.DomEvent.on(link, 'click', this.displayCaption, this) + this.ui.openPanel({ data: { html: filterContainer }, actions: [link] }) + }, +}) L.U.TileLayerControl = L.Control.extend({ + options: { + position: 'topleft', + }, - options: { - position: 'topleft' - }, + initialize: function (map, options) { + this.map = map + L.Control.prototype.initialize.call(this, options) + }, - initialize: function (map, options) { - this.map = map; - L.Control.prototype.initialize.call(this, options); - }, + onAdd: function () { + var container = L.DomUtil.create('div', 'leaflet-control-tilelayers umap-control') - onAdd: function () { - var container = L.DomUtil.create('div', 'leaflet-control-tilelayers umap-control'); + var link = L.DomUtil.create('a', '', container) + link.href = '#' + link.title = L._('Change map background') - var link = L.DomUtil.create('a', '', container); - link.href = '#'; - link.title = L._('Change map background'); + L.DomEvent.on(link, 'click', L.DomEvent.stop) + .on(link, 'click', this.openSwitcher, this) + .on(link, 'dblclick', L.DomEvent.stopPropagation) - L.DomEvent - .on(link, 'click', L.DomEvent.stop) - .on(link, 'click', this.openSwitcher, this) - .on(link, 'dblclick', L.DomEvent.stopPropagation); + return container + }, - return container; - }, + openSwitcher: function (options) { + this._tilelayers_container = L.DomUtil.create( + 'ul', + 'umap-tilelayer-switcher-container' + ) + this.buildList(options) + }, - openSwitcher: function (options) { - this._tilelayers_container = L.DomUtil.create('ul', 'umap-tilelayer-switcher-container'); - this.buildList(options); - }, + buildList: function (options) { + this.map.eachTileLayer(function (tilelayer) { + if ( + window.location.protocol === 'https:' && + tilelayer.options.url_template.indexOf('http:') === 0 + ) + return + this.addTileLayerElement(tilelayer, options) + }, this) + this.map.ui.openPanel({ + data: { html: this._tilelayers_container }, + className: options.className, + }) + }, - buildList: function (options) { - this.map.eachTileLayer(function (tilelayer) { - if (window.location.protocol === 'https:' && tilelayer.options.url_template.indexOf('http:') === 0) return; - this.addTileLayerElement(tilelayer, options); - }, this); - this.map.ui.openPanel({data: {html: this._tilelayers_container}, className: options.className}); - }, - - addTileLayerElement: function (tilelayer, options) { - var selectedClass = this.map.hasLayer(tilelayer) ? 'selected' : '', - el = L.DomUtil.create('li', selectedClass, this._tilelayers_container), - img = L.DomUtil.create('img', '', el), - name = L.DomUtil.create('div', '', el); - img.src = L.Util.template(tilelayer.options.url_template, this.map.demoTileInfos); - name.textContent = tilelayer.options.name; - L.DomEvent.on(el, 'click', function () { - this.map.selectTileLayer(tilelayer); - this.map.ui.closePanel(); - if (options && options.callback) options.callback(tilelayer); - }, this); - } - - -}); + addTileLayerElement: function (tilelayer, options) { + var selectedClass = this.map.hasLayer(tilelayer) ? 'selected' : '', + el = L.DomUtil.create('li', selectedClass, this._tilelayers_container), + img = L.DomUtil.create('img', '', el), + name = L.DomUtil.create('div', '', el) + img.src = L.Util.template(tilelayer.options.url_template, this.map.demoTileInfos) + name.textContent = tilelayer.options.name + L.DomEvent.on( + el, + 'click', + function () { + this.map.selectTileLayer(tilelayer) + this.map.ui.closePanel() + if (options && options.callback) options.callback(tilelayer) + }, + this + ) + }, +}) L.U.AttributionControl = L.Control.Attribution.extend({ + options: { + prefix: '', + }, - options: { - prefix: '' - }, - - _update: function () { - L.Control.Attribution.prototype._update.call(this); - if (this._map.options.shortCredit) { - L.DomUtil.add('span', '', this._container, ' — ' + L.Util.toHTML(this._map.options.shortCredit)); - } - if (this._map.options.captionMenus) { - var link = L.DomUtil.add('a', '', this._container, ' — ' + L._('About')); - L.DomEvent - .on(link, 'click', L.DomEvent.stop) - .on(link, 'click', this._map.displayCaption, this._map) - .on(link, 'dblclick', L.DomEvent.stop); - } - if (window.top === window.self && this._map.options.captionMenus) { - // We are not in iframe mode - var home = L.DomUtil.add('a', '', this._container, ' — ' + L._('Home')); - home.href = '/'; - } + _update: function () { + L.Control.Attribution.prototype._update.call(this) + if (this._map.options.shortCredit) { + L.DomUtil.add( + 'span', + '', + this._container, + ' — ' + L.Util.toHTML(this._map.options.shortCredit) + ) } - -}); - + if (this._map.options.captionMenus) { + var link = L.DomUtil.add('a', '', this._container, ' — ' + L._('About')) + L.DomEvent.on(link, 'click', L.DomEvent.stop) + .on(link, 'click', this._map.displayCaption, this._map) + .on(link, 'dblclick', L.DomEvent.stop) + } + if (window.top === window.self && this._map.options.captionMenus) { + // We are not in iframe mode + var home = L.DomUtil.add('a', '', this._container, ' — ' + L._('Home')) + home.href = '/' + } + }, +}) 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 + }, - 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') + }, - onBlur: function (e) { - // Overrided because we don't want to hide the results on blur. - this.fire('blur'); - }, + formatResult: function (feature, el) { + var self = this + var tools = L.DomUtil.create('span', 'search-result-tools', el), + zoom = L.DomUtil.create('i', 'feature-zoom_to', tools), + edit = L.DomUtil.create('i', 'feature-edit show-on-edit', tools) + zoom.title = L._('Zoom to this place') + edit.title = L._('Save this location as new feature') + // We need to use "mousedown" because Leaflet.Photon listen to mousedown + // on el. + L.DomEvent.on(zoom, 'mousedown', function (e) { + L.DomEvent.stop(e) + self.zoomToFeature(feature) + }) + L.DomEvent.on(edit, 'mousedown', function (e) { + L.DomEvent.stop(e) + var datalayer = self.map.defaultDataLayer() + var layer = datalayer.geojsonToFeatures(feature) + layer.isDirty = true + layer.edit() + }) + this._formatResult(feature, el) + }, - formatResult: function (feature, el) { - var self = this; - var tools = L.DomUtil.create('span', 'search-result-tools', el), - zoom = L.DomUtil.create('i', 'feature-zoom_to', tools), - edit = L.DomUtil.create('i', 'feature-edit show-on-edit', tools); - zoom.title = L._('Zoom to this place'); - edit.title = L._('Save this location as new feature'); - // We need to use "mousedown" because Leaflet.Photon listen to mousedown - // on el. - L.DomEvent.on(zoom, 'mousedown', function (e) { - L.DomEvent.stop(e); - self.zoomToFeature(feature); - }); - L.DomEvent.on(edit, 'mousedown', function (e) { - L.DomEvent.stop(e); - var datalayer = self.map.defaultDataLayer(); - var layer = datalayer.geojsonToFeatures(feature); - layer.isDirty = true; - layer.edit(); - }); - this._formatResult(feature, el); - }, + zoomToFeature: function (feature) { + var zoom = Math.max(this.map.getZoom(), 16) // Never unzoom. + this.map.setView( + [feature.geometry.coordinates[1], feature.geometry.coordinates[0]], + zoom + ) + }, - zoomToFeature: function (feature) { - var zoom = Math.max(this.map.getZoom(), 16); // Never unzoom. - this.map.setView([feature.geometry.coordinates[1], feature.geometry.coordinates[0]], zoom); - }, - - onSelected: function (feature) { - this.zoomToFeature(feature); - this.map.ui.closePanel(); - } - -}); + onSelected: function (feature) { + this.zoomToFeature(feature) + this.map.ui.closePanel() + }, +}) L.U.SearchControl = L.Control.extend({ + options: { + position: 'topleft', + }, - options: { - position: 'topleft', - }, + onAdd: function (map) { + var container = L.DomUtil.create('div', 'leaflet-control-search umap-control'), + self = this - onAdd: function (map) { - var container = L.DomUtil.create('div', 'leaflet-control-search umap-control'), - self = this; + L.DomEvent.disableClickPropagation(container) + var link = L.DomUtil.create('a', '', container) + link.href = '#' + link.title = L._('Search a place name') + L.DomEvent.on(link, 'click', function (e) { + L.DomEvent.stop(e) + self.openPanel(map) + }) + return container + }, - L.DomEvent.disableClickPropagation(container); - var link = L.DomUtil.create('a', '', container); - link.href = '#'; - link.title = L._('Search a place name') - L.DomEvent.on(link, 'click', function (e) { - L.DomEvent.stop(e); - self.openPanel(map); - }); - return container; - }, - - openPanel: function (map) { - var options = { - limit: 10, - noResultLabel: L._('No results'), - } - if (map.options.photonUrl) options.url = map.options.photonUrl; - var container = L.DomUtil.create('div', ''); - - var title = L.DomUtil.create('h3', '', container); - title.textContent = L._('Search location'); - var input = L.DomUtil.create('input', 'photon-input', container); - var resultsContainer = L.DomUtil.create('div', 'photon-autocomplete', container); - this.search = new L.U.Search(map, input, options); - var id = Math.random(); - this.search.on('ajax:send', function () { - map.fire('dataloading', {id: id}); - }); - this.search.on('ajax:return', function () { - map.fire('dataload', {id: id}); - }); - this.search.resultsContainer = resultsContainer; - map.ui.once('panel:ready', function () { - input.focus(); - }); - map.ui.openPanel({data: {html: container}}); + openPanel: function (map) { + var options = { + limit: 10, + noResultLabel: L._('No results'), } + if (map.options.photonUrl) options.url = map.options.photonUrl + var container = L.DomUtil.create('div', '') -}); - + var title = L.DomUtil.create('h3', '', container) + title.textContent = L._('Search location') + var input = L.DomUtil.create('input', 'photon-input', container) + var resultsContainer = L.DomUtil.create('div', 'photon-autocomplete', container) + this.search = new L.U.Search(map, input, options) + var id = Math.random() + this.search.on('ajax:send', function () { + map.fire('dataloading', { id: id }) + }) + this.search.on('ajax:return', function () { + map.fire('dataload', { id: id }) + }) + this.search.resultsContainer = resultsContainer + map.ui.once('panel:ready', function () { + input.focus() + }) + map.ui.openPanel({ data: { html: container } }) + }, +}) L.Control.MiniMap.include({ + initialize: function (layer, options) { + L.Util.setOptions(this, options) + this._layer = this._cloneLayer(layer) + }, - initialize: function (layer, options) { - L.Util.setOptions(this, options); - this._layer = this._cloneLayer(layer); - }, - - onMainMapBaseLayerChange: function (e) { - var layer = this._cloneLayer(e.layer); - if (this._miniMap.hasLayer(this._layer)) { - this._miniMap.removeLayer(this._layer); - } - this._layer = layer; - this._miniMap.addLayer(this._layer); - }, - - _cloneLayer: function (layer) { - return new L.TileLayer(layer._url, L.Util.extend({}, layer.options)); + onMainMapBaseLayerChange: function (e) { + var layer = this._cloneLayer(e.layer) + if (this._miniMap.hasLayer(this._layer)) { + this._miniMap.removeLayer(this._layer) } + this._layer = layer + this._miniMap.addLayer(this._layer) + }, -}); - + _cloneLayer: function (layer) { + return new L.TileLayer(layer._url, L.Util.extend({}, layer.options)) + }, +}) L.Control.Loading.include({ + onAdd: function (map) { + this._container = L.DomUtil.create('div', 'umap-loader', map._controlContainer) + map.on('baselayerchange', this._layerAdd, this) + this._addMapListeners(map) + this._map = map + }, - onAdd: function (map) { - this._container = L.DomUtil.create('div', 'umap-loader', map._controlContainer); - map.on('baselayerchange', this._layerAdd, this); - this._addMapListeners(map); - this._map = map; - }, - - _showIndicator: function () { - L.DomUtil.addClass(this._map._container, 'umap-loading'); - }, - - _hideIndicator: function() { - L.DomUtil.removeClass(this._map._container, 'umap-loading'); - } - -}); + _showIndicator: function () { + L.DomUtil.addClass(this._map._container, 'umap-loading') + }, + _hideIndicator: function () { + L.DomUtil.removeClass(this._map._container, 'umap-loading') + }, +}) /* -* Make it dynamic -*/ + * Make it dynamic + */ L.U.ContextMenu = L.Map.ContextMenu.extend({ + _createItems: function (e) { + this._map.setContextMenuItems(e) + L.Map.ContextMenu.prototype._createItems.call(this) + }, - _createItems: function (e) { - this._map.setContextMenuItems(e); - L.Map.ContextMenu.prototype._createItems.call(this); - }, - - _showAtPoint: function (pt, e) { - this._items = []; - this._container.innerHTML = ''; - this._createItems(e); - L.Map.ContextMenu.prototype._showAtPoint.call(this, pt, e); - } - -}); + _showAtPoint: function (pt, e) { + this._items = [] + this._container.innerHTML = '' + this._createItems(e) + L.Map.ContextMenu.prototype._showAtPoint.call(this, pt, e) + }, +}) L.U.IframeExporter = L.Evented.extend({ + options: { + includeFullScreenLink: true, + currentView: false, + keepCurrentDatalayers: false, + viewCurrentFeature: false, + }, - options: { - includeFullScreenLink: true, - currentView: false, - keepCurrentDatalayers: false, - viewCurrentFeature: false - }, + queryString: { + scaleControl: false, + miniMap: false, + scrollWheelZoom: false, + zoomControl: true, + allowEdit: false, + moreControl: true, + searchControl: null, + tilelayersControl: null, + embedControl: null, + datalayersControl: true, + onLoadPanel: 'none', + captionBar: false, + captionMenus: true, + }, - queryString: { - scaleControl: false, - miniMap: false, - scrollWheelZoom: false, - zoomControl: true, - allowEdit: false, - moreControl: true, - searchControl: null, - tilelayersControl: null, - embedControl: null, - datalayersControl: true, - onLoadPanel: 'none', - captionBar: false, - captionMenus: true - }, + dimensions: { + width: '100%', + height: '300px', + }, - dimensions: { - width: '100%', - height: '300px' - }, + initialize: function (map) { + this.map = map + this.baseUrl = L.Util.getBaseUrl() + // Use map default, not generic default + this.queryString.onLoadPanel = this.map.options.onLoadPanel + }, - initialize: function (map) { - this.map = map; - this.baseUrl = L.Util.getBaseUrl(); - // Use map default, not generic default - this.queryString.onLoadPanel = this.map.options.onLoadPanel; - }, + getMap: function () { + return this.map + }, - getMap: function () { - return this.map; - }, - - build: function () { - var datalayers = []; - if (this.options.viewCurrentFeature && this.map.currentFeature) { - this.queryString.feature = this.map.currentFeature.getSlug(); - } - if (this.options.keepCurrentDatalayers) { - this.map.eachDataLayer(function (datalayer) { - if (datalayer.isVisible() && datalayer.umap_id) { - datalayers.push(datalayer.umap_id); - } - }); - this.queryString.datalayers = datalayers.join(','); - } else { - delete this.queryString.datalayers; - } - var currentView = this.options.currentView ? window.location.hash : '', - iframeUrl = this.baseUrl + '?' + L.Util.buildQueryString(this.queryString) + currentView, - code = ''; - if (this.options.includeFullScreenLink) { - code += '

    ' + L._('See full screen') + '

    '; - } - return code; + build: function () { + var datalayers = [] + if (this.options.viewCurrentFeature && this.map.currentFeature) { + this.queryString.feature = this.map.currentFeature.getSlug() } - -}); + if (this.options.keepCurrentDatalayers) { + this.map.eachDataLayer(function (datalayer) { + if (datalayer.isVisible() && datalayer.umap_id) { + datalayers.push(datalayer.umap_id) + } + }) + this.queryString.datalayers = datalayers.join(',') + } else { + delete this.queryString.datalayers + } + var currentView = this.options.currentView ? window.location.hash : '', + iframeUrl = + this.baseUrl + '?' + L.Util.buildQueryString(this.queryString) + currentView, + code = + '' + if (this.options.includeFullScreenLink) { + code += '

    ' + L._('See full screen') + '

    ' + } + return code + }, +}) L.U.Editable = L.Editable.extend({ + initialize: function (map, options) { + L.Editable.prototype.initialize.call(this, map, options) + this.on( + 'editable:drawing:start editable:drawing:click editable:drawing:move', + this.drawingTooltip + ) + this.on('editable:drawing:end', this.closeTooltip) + // Layer for items added by users + this.on('editable:drawing:cancel', function (e) { + if (e.layer._latlngs && e.layer._latlngs.length < e.layer.editor.MIN_VERTEX) + e.layer.del() + if (e.layer instanceof L.U.Marker) e.layer.del() + }) + this.on('editable:drawing:commit', function (e) { + e.layer.isDirty = true + if (this.map.editedFeature !== e.layer) e.layer.edit(e) + }) + this.on('editable:editing', function (e) { + var layer = e.layer + layer.isDirty = true + if (layer._tooltip && layer.isTooltipOpen()) { + layer._tooltip.setLatLng(layer.getCenter()) + layer._tooltip.update() + } + }) + this.on('editable:vertex:ctrlclick', function (e) { + var index = e.vertex.getIndex() + if (index === 0 || (index === e.vertex.getLastIndex() && e.vertex.continue)) + e.vertex.continue() + }) + this.on('editable:vertex:altclick', function (e) { + if (e.vertex.editor.vertexCanBeDeleted(e.vertex)) e.vertex.delete() + }) + this.on('editable:vertex:rawclick', this.onVertexRawClick) + }, - initialize: function (map, options) { - L.Editable.prototype.initialize.call(this, map, options); - this.on('editable:drawing:start editable:drawing:click editable:drawing:move', this.drawingTooltip); - this.on('editable:drawing:end', this.closeTooltip); - // Layer for items added by users - this.on('editable:drawing:cancel', function (e) { - if (e.layer._latlngs && e.layer._latlngs.length < e.layer.editor.MIN_VERTEX) e.layer.del(); - if (e.layer instanceof L.U.Marker) e.layer.del(); - }); - this.on('editable:drawing:commit', function (e) { - e.layer.isDirty = true; - if (this.map.editedFeature !== e.layer) e.layer.edit(e); - }); - this.on('editable:editing', function (e) { - var layer = e.layer; - layer.isDirty = true; - if (layer._tooltip && layer.isTooltipOpen()) { - layer._tooltip.setLatLng(layer.getCenter()); - layer._tooltip.update(); - } - }); - this.on('editable:vertex:ctrlclick', function (e) { - var index = e.vertex.getIndex(); - if (index === 0 || index === e.vertex.getLastIndex() && e.vertex.continue) e.vertex.continue(); - }); - this.on('editable:vertex:altclick', function (e) { - if (e.vertex.editor.vertexCanBeDeleted(e.vertex)) e.vertex.delete(); - }); - this.on('editable:vertex:rawclick', this.onVertexRawClick); - }, + createPolyline: function (latlngs) { + return new L.U.Polyline(this.map, latlngs) + }, - createPolyline: function (latlngs) { - return new L.U.Polyline(this.map, latlngs); - }, + createPolygon: function (latlngs) { + var polygon = new L.U.Polygon(this.map, latlngs) + return polygon + }, - createPolygon: function (latlngs) { - var polygon = new L.U.Polygon(this.map, latlngs); - return polygon; - }, + createMarker: function (latlng) { + return new L.U.Marker(this.map, latlng) + }, - createMarker: function (latlng) { - return new L.U.Marker(this.map, latlng); - }, + connectCreatedToMap: function (layer) { + // Overrided from Leaflet.Editable + var datalayer = this.map.defaultDataLayer() + datalayer.addLayer(layer) + layer.isDirty = true + return layer + }, - connectCreatedToMap: function (layer) { - // Overrided from Leaflet.Editable - var datalayer = this.map.defaultDataLayer(); - datalayer.addLayer(layer); - layer.isDirty = true; - return layer; - }, - - drawingTooltip: function (e) { - if (e.layer instanceof L.Marker && e.type != "editable:drawing:move") { - this.map.ui.tooltip({content: L._('Click to add a marker')}); - } - if (!(e.layer instanceof L.Polyline)) { - // only continue with Polylines and Polygons - return; - } - - var content; - var measure; - if (e.layer.editor._drawnLatLngs) { - // when drawing (a Polyline or Polygon) - if (!e.layer.editor._drawnLatLngs.length) { - // when drawing first point - if (e.layer instanceof L.Polygon){ - content = L._('Click to start drawing a polygon'); - } else if (e.layer instanceof L.Polyline) { - content = L._('Click to start drawing a line'); - } - } else { - var tmpLatLngs = e.layer.editor._drawnLatLngs.slice(); - tmpLatLngs.push(e.latlng); - measure = e.layer.getMeasure(tmpLatLngs); - - if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { - // when drawing second point - content = L._('Click to continue drawing'); - } else { - // when drawing third point (or more) - content = L._('Click last point to finish shape'); - } - } - } else { - // when moving an existing point - measure = e.layer.getMeasure(); - } - if (measure){ - if (e.layer instanceof L.Polygon){ - content += L._(' (area: {measure})', { measure: measure }); - } else if (e.layer instanceof L.Polyline) { - content += L._(' (length: {measure})', { measure: measure }); - } - } - if (content) { - this.map.ui.tooltip({content: content}); - } - }, - - closeTooltip: function () { - this.map.ui.closeTooltip(); - }, - - onVertexRawClick: function (e) { - e.layer.onVertexRawClick(e); - L.DomEvent.stop(e); - e.cancel(); + drawingTooltip: function (e) { + if (e.layer instanceof L.Marker && e.type != 'editable:drawing:move') { + this.map.ui.tooltip({ content: L._('Click to add a marker') }) + } + if (!(e.layer instanceof L.Polyline)) { + // only continue with Polylines and Polygons + return } -}); + var content + var measure + if (e.layer.editor._drawnLatLngs) { + // when drawing (a Polyline or Polygon) + if (!e.layer.editor._drawnLatLngs.length) { + // when drawing first point + if (e.layer instanceof L.Polygon) { + content = L._('Click to start drawing a polygon') + } else if (e.layer instanceof L.Polyline) { + content = L._('Click to start drawing a line') + } + } else { + var tmpLatLngs = e.layer.editor._drawnLatLngs.slice() + tmpLatLngs.push(e.latlng) + measure = e.layer.getMeasure(tmpLatLngs) + + if (e.layer.editor._drawnLatLngs.length < e.layer.editor.MIN_VERTEX) { + // when drawing second point + content = L._('Click to continue drawing') + } else { + // when drawing third point (or more) + content = L._('Click last point to finish shape') + } + } + } else { + // when moving an existing point + measure = e.layer.getMeasure() + } + if (measure) { + if (e.layer instanceof L.Polygon) { + content += L._(' (area: {measure})', { measure: measure }) + } else if (e.layer instanceof L.Polyline) { + content += L._(' (length: {measure})', { measure: measure }) + } + } + if (content) { + this.map.ui.tooltip({ content: content }) + } + }, + + closeTooltip: function () { + this.map.ui.closeTooltip() + }, + + onVertexRawClick: function (e) { + e.layer.onVertexRawClick(e) + L.DomEvent.stop(e) + e.cancel() + }, +}) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 614fce48..43f25d01 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -1,560 +1,632 @@ /* Poor man pub/sub handler, enough for now */ -L.UmapSingleton = L.Evented.extend({}); -L.U = new L.UmapSingleton(); -L.U.Map = L.Map.extend({}); +L.UmapSingleton = L.Evented.extend({}) +L.U = new L.UmapSingleton() +L.U.Map = L.Map.extend({}) /* -* Utils -*/ + * Utils + */ L.Util.queryString = function (name, fallback) { - var decode = function (s) { return decodeURIComponent(s.replace(/\+/g, ' ')); }; - var qs = window.location.search.slice(1).split('&'), qa = {}; - for (var i in qs) { - var key = qs[i].split('='); - if (!key) continue; - qa[decode(key[0])] = key[1] ? decode(key[1]) : 1; - } - return qa[name] || fallback; -}; + var decode = function (s) { + return decodeURIComponent(s.replace(/\+/g, ' ')) + } + var qs = window.location.search.slice(1).split('&'), + qa = {} + for (var i in qs) { + var key = qs[i].split('=') + if (!key) continue + qa[decode(key[0])] = key[1] ? decode(key[1]) : 1 + } + return qa[name] || fallback +} L.Util.booleanFromQueryString = function (name) { - var value = L.Util.queryString(name); - return value === '1' || value === 'true'; -}; + var value = L.Util.queryString(name) + return value === '1' || value === 'true' +} L.Util.setFromQueryString = function (options, name) { - var value = L.Util.queryString(name); - if (typeof value !== 'undefined') options[name] = value; -}; + var value = L.Util.queryString(name) + if (typeof value !== 'undefined') options[name] = value +} L.Util.setBooleanFromQueryString = function (options, name) { - var value = L.Util.queryString(name); - if (typeof value !== 'undefined') options[name] = value == '1' || value == 'true'; -}; + var value = L.Util.queryString(name) + if (typeof value !== 'undefined') options[name] = value == '1' || value == 'true' +} L.Util.setNullableBooleanFromQueryString = function (options, name) { - var value = L.Util.queryString(name); - if (typeof value !== 'undefined') { - if (value === 'null') value = null; - else if (value === '0' || value === 'false') value = false; - else value = true; - options[name] = value; - } -}; + var value = L.Util.queryString(name) + if (typeof value !== 'undefined') { + if (value === 'null') value = null + else if (value === '0' || value === 'false') value = false + else value = true + options[name] = value + } +} L.Util.escapeHTML = function (s) { - s = s? s.toString() : ''; - return s.replace(/$1') + r = r.replace(/^## (.*)/gm, '

    $1

    ') + r = r.replace(/^# (.*)/gm, '

    $1

    ') + r = r.replace(/^---/gm, '
    ') - // headings and hr - r = r.replace(/^### (.*)/gm, '
    $1
    '); - r = r.replace(/^## (.*)/gm, '

    $1

    '); - r = r.replace(/^# (.*)/gm, '

    $1

    '); - r = r.replace(/^---/gm, '
    '); + // bold, italics + r = r.replace(/\*\*(.*?)\*\*/g, '$1') + r = r.replace(/\*(.*?)\*/g, '$1') - // bold, italics - r = r.replace(/\*\*(.*?)\*\*/g, '$1'); - r = r.replace(/\*(.*?)\*/g, '$1'); + // unordered lists + r = r.replace(/^\*\* (.*)/gm, '
      • $1
    ') + r = r.replace(/^\* (.*)/gm, '
    • $1
    ') + for (ii = 0; ii < 3; ii++) + r = r.replace(new RegExp('' + newline + '
      ', 'g'), newline) - // unordered lists - r = r.replace(/^\*\* (.*)/gm, '
        • $1
      '); - r = r.replace(/^\* (.*)/gm, '
      • $1
      '); - for (ii = 0; ii < 3; ii++) r = r.replace(new RegExp('
    ' + newline + '