Revision 41802

View differences:

tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset1/text.properties
1
#text.properties
2
aceptar=Aceptar
3
cancelar=Cancelar
4
Cascada=Cascada
5
cascada_enable=Debe haber al menos una ventana abierta
0 6

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset1/text_en.properties
1
#text_en.properties
2
aceptar=OK
3
cancelar=Cancel
4
Cascada=Cascade
5
ventana=Window
6
otro=other
0 7

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset1/text_fr.properties
1
#text_fr.properties
2
aceptar=Accepter
3
Cascada=Cascade
4
Configurar=Configurer
0 5

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/TestMessages.java
1
/**
2
 * gvSIG. Desktop Geographic Information System.
3
 *
4
 * Copyright (C) 2007-2013 gvSIG Association.
5
 *
6
 * This program is free software; you can redistribute it and/or
7
 * modify it under the terms of the GNU General Public License
8
 * as published by the Free Software Foundation; either version 3
9
 * of the License, or (at your option) any later version.
10
 *
11
 * This program is distributed in the hope that it will be useful,
12
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
 * GNU General Public License for more details.
15
 *
16
 * You should have received a copy of the GNU General Public License
17
 * along with this program; if not, write to the Free Software
18
 * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
19
 * MA  02110-1301, USA.
20
 *
21
 * For any additional information, do not hesitate to contact us
22
 * at info AT gvsig.com, or visit our website www.gvsig.com.
23
 */
24
package org.gvsig.i18n;
25

  
26
import java.io.File;
27
import java.net.MalformedURLException;
28
import java.util.ArrayList;
29
import java.util.Locale;
30

  
31
import junit.framework.TestCase;
32

  
33
/**
34
 * @author cesar
35
 *
36
 */
37
public class TestMessages extends TestCase {
38

  
39
	/*
40
	 * @see TestCase#setUp()
41
	 */
42
	protected void setUp() throws Exception {
43
		super.setUp();
44
	}
45

  
46
	/*
47
	 * @see TestCase#tearDown()
48
	 */
49
	protected void tearDown() throws Exception {
50
		super.tearDown();
51
	}
52
	
53
	public void testSetPreferredLocales() {
54
		setPreferredLocales();
55
		removeLocales();
56
	}
57
	
58
	private void setPreferredLocales() {
59
		ArrayList preferred = new ArrayList();
60
		preferred.add(new Locale("en"));
61
		preferred.add(new Locale("es"));
62
		Messages.setPreferredLocales(preferred);
63
		ArrayList resultPref = Messages.getPreferredLocales();
64
		
65
		TestCase.assertEquals(resultPref.size(), 2);
66
		
67
		Locale lang1 = (Locale) resultPref.get(0);		
68
		TestCase.assertEquals(lang1.getLanguage(), "en");
69
		Locale lang2 = (Locale) resultPref.get(1);		
70
		TestCase.assertEquals(lang2.getLanguage(), "es");
71
	}
72

  
73
	private void removeLocales() {	
74
		Locale lang1 = new Locale("en");
75
		Locale lang2 = new Locale("es");	
76
		ArrayList resultPref = Messages.getPreferredLocales();
77
		Messages.removeLocale(lang1);
78
		TestCase.assertEquals(resultPref.size(), 1);
79
		Messages.removeLocale(lang2);		
80
		TestCase.assertEquals(resultPref.size(), 0);
81
	}
82
	
83
	public void testAddResourceFamily() {
84
		setPreferredLocales();
85
		//this.getClass().getClassLoader().getResource("text_en.properties");
86

  
87
		try {
88
			Messages.addResourceFamily("text", new File("src-test/org/gvsig/i18n/dataset1/"));
89
		} catch (MalformedURLException e) {
90
			TestCase.fail("Fichero de recursos no encontrado");
91
		}
92
		TestCase.assertEquals(5, Messages.size(new Locale("en")));
93
		TestCase.assertEquals(4,Messages.size(new Locale("es")));
94
		TestCase.assertEquals(0,Messages.size(new Locale("fr")));
95
		
96
		TestCase.assertEquals("OK", Messages.getText("aceptar"));
97
		TestCase.assertEquals("Cancel", Messages.getText("cancelar"));
98
		TestCase.assertEquals("Cascade", Messages.getText("Cascada"));
99
		TestCase.assertEquals("Window", Messages.getText("ventana"));
100
		TestCase.assertEquals("Debe haber al menos una ventana abierta", Messages.getText("cascada_enable"));
101
		TestCase.assertEquals("Configurar", Messages.getText("Configurar"));
102
		TestCase.assertEquals(null, Messages.getText("Configurar", false));
103

  
104
		// load another file now
105
		try {
106
			Messages.addResourceFamily("text", new File(
107
                    "src-test/org/gvsig/i18n/dataset2/"));
108
		} catch (MalformedURLException e) {
109
			TestCase.fail("Fichero de recursos no encontrado");
110
		}
111
		// check that the right amount of translations was loaded
112
		TestCase.assertEquals(7, Messages.size(new Locale("en")));
113
		TestCase.assertEquals(6, Messages.size(new Locale("es")));
114
		TestCase.assertEquals(0, Messages.size(new Locale("fr")));
115

  
116
		// test that keys didn't get overwritten by the new files
117
		// (only new keys should have been added for each language)
118
		TestCase.assertEquals("OK", Messages.getText("aceptar"));
119
		TestCase.assertEquals("Cancel", Messages.getText("cancelar"));
120
		TestCase.assertEquals("Cascade", Messages.getText("Cascada"));
121
		// check the new keys
122
		TestCase.assertEquals("At least one window should be open", Messages.getText("cascada_enable"));
123
		TestCase.assertEquals("Insert first corner point", Messages.getText("insert_first_point_corner"));
124
		TestCase.assertEquals("Capa exportada", Messages.getText("capa_exportada"));
125
		TestCase.assertEquals("Circunscrito", Messages.getText("circumscribed"));
126
		
127
		Messages.removeResources();
128
		TestCase.assertEquals(0, Messages.size(new Locale("en")));
129
		TestCase.assertEquals(0, Messages.size(new Locale("es")));
130
		TestCase.assertEquals(0, Messages.size(new Locale("fr")));
131
		
132
		removeLocales();
133
	}
134
}
0 135

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset2/text.properties
1
#text.properties
2
aceptar=baceptar
3
cancelar=amancebar
4
capa_exportada=Capa exportada
5
circumscribed=Circunscrito
0 6

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset2/text_en.properties
1
#text_en.properties
2
insert_first_point_corner=Insert first corner point
3
cascada_enable=At least one window should be open
4
cancelar=arancelar
0 5

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/dataset2/text_fr.properties
1
#text_fr.properties
2
aceptar=Accepter
3
Cascada=Cascade
4
Configurar=Configurer
0 5

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/java/org/gvsig/i18n/AllTests.java
1
/**
2
 * gvSIG. Desktop Geographic Information System.
3
 *
4
 * Copyright (C) 2007-2013 gvSIG Association.
5
 *
6
 * This program is free software; you can redistribute it and/or
7
 * modify it under the terms of the GNU General Public License
8
 * as published by the Free Software Foundation; either version 3
9
 * of the License, or (at your option) any later version.
10
 *
11
 * This program is distributed in the hope that it will be useful,
12
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
 * GNU General Public License for more details.
15
 *
16
 * You should have received a copy of the GNU General Public License
17
 * along with this program; if not, write to the Free Software
18
 * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
19
 * MA  02110-1301, USA.
20
 *
21
 * For any additional information, do not hesitate to contact us
22
 * at info AT gvsig.com, or visit our website www.gvsig.com.
23
 */
24
package org.gvsig.i18n;
25

  
26
import junit.framework.Test;
27
import junit.framework.TestSuite;
28

  
29
public class AllTests {
30

  
31
	public static Test suite() {
32
		TestSuite suite = new TestSuite("Test for org.gvsig.i18n");
33
		//$JUnit-BEGIN$
34
		suite.addTestSuite(TestMessages.class);
35
		//$JUnit-END$
36
		return suite;
37
	}
38

  
39
}
0 40

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/data/database/text_en.properties
1
#Translations for language: en
2
#Mon Jul 03 00:36:20 CEST 2006
3
consulta=Query
4
colocar_alrededor_seleccionados=Place around the graphics selected.
5
contraste=Contrast
6
ancho_alto=Wide X Height
7
media=Mean
8
edit=edit
9
Quitar_todos=Remove all
10
Parametros=Parameters
11
conexion_correcta=Correct connection
12
selection_color=Color selection
13
seleccione_el_campo_angulo_de_la_capa_de_anotaciones=<HTML>Choose the field used to store the slope of the label\u0092s text</HTML>
14
cerrar=Close
15
titulo=Project manager
16
tipo_simbolo=Type of symbol\:
17
documentos_existentes=Existing documents
18
stop_edition=Finish edition
19
aceptar=OK
20
grosor_linea=Line width\:
21
Siguiente=Next
22
ver_tooltip=Show project window
23
Intersecten_con=intersected with
24
Color_de_Relleno=Fill color\:
25
options.firewall.http.incorrect_host=Invalid HTTP host
26
_(Simbolo_unico)=(Unique symbols)
27
propiedad=property
28
parametros=Parameters
29
tipo_linea=Stroke\:
30
Servidor=Server
31
agrupar_capas=Group layers
32
capaWMS=WMSLayer
33
Simbologia=Symbols
34
introduzca_el_nombre_de_la_nueva_capa_de_anotaciones=Insert the name of the new annotation layer
35
Propiedades_del_Tema=Theme properties
36
Ver=Show
37
copiar=copy
38
guardar=save
39
Zoom_Completo=Full Extent
40
pixels=pixels
41
leyenda=Legend
42
Milimetros=Milimeters
43
vertices=vertex
44
Tipo_de_leyenda=Type of legend
45
Perimetro=Perimeter
46
punto=Point
47
borra_seleccion=Del selection
48
Cambio_Estilo=Change Style
49
Anadir_capa=Add layer
50
to_annotation=Transform to annotation layer
51
Ajustar_cobertura_wcs=WCS coverage settings
52
S\u00EDmbolo=Symbol
53
eliminar_capa=Delete Layer
54
web_map_context=Web Map Context
55
ver_tabla_atributos=See table of attributes
56
Cerrar=Close
57
espacio=Space\:
58
Muestra_los_elementos_de_la_capa_usando_una_gama_de_colores_en_funcion_del_valor_de_un_determinado_campo_de_atributos=Show the layers features using a range of color according to values of a attribute field
59
select_all=Select all
60
sin_realce=No enhance
61
Imprimir=Print
62
join=Join
63
simplificar=Simplify
64
insertar_imagen=Insert Image
65
Cambio_de_estilo=Change style
66
Campo_de_clasificacion=Classification field
67
paste=Paste
68
guardar_clave=Save code
69
options.firewall.http.password=Password
70
_(Etiquetas_estandar)=(Standard labels)
71
Error_guardando_la_plantilla=Error saving the template
72
descripcion_de_configuracion_capa_de_anotaciones=<HTML>Keep the default values to use the values which are shared by all the attributes of the layer. Select the fields which store the values in order to customize the label aspect.</HTML>
73
baja=Low
74
renombrar=Rename
75
Error_guardando_la_leyenda=Error saving legend
76
insertar_texto=Insert Text
77
options.network.status=Network status
78
Extent=Extent
79
insert_column=insert column
80
fichero_incorrecto=Invalid file
81
options.firewall.socks.port=SOCKS proxy port
82
online=Online
83
insertar_polilinea=insert polyline
84
seleccionar_formato=Select Format
85
statistics=Statistics
86
servidor_wcs_no_responde=No reply on selected server
87
quitar_enlaces=Remove links
88
causa_error_desconocida=Unexpected server error
89
Anadir_Capa=Add Layer
90
sin_titulo=Untitled
91
finalizar=Finish
92
arriba=Up
93
Igual_que_la_impresora=Same as printer
94
Un_Layer=Select at least one layer
95
Indexando_espacialmente=Spatially indexing the layer
96
informacion=Information
97
insertar_cajetin=insert grid
98
seleccionar_todos=Select all
99
guardar_como_plantilla=Save as template
100
desde_izquierda=From left\:
101
colocar_a_margenes=Place with reference to margins.
102
seleccione_el_campo_tamano_de_la_capa_de_anotaciones=<HTML>Choose the field used to store the label\u0092s height</HTML>
103
No_mostrar_la_capa_cuando_la_escala=Don\u0092t show the layer when the scale
104
Inferior=Lower
105
Valor_verde=Green value
106
fallo_obtener_tablas=Failed to obtain tables from the data base
107
colocar_detras=Place back
108
vertical=Vertical
109
fichero_existe=Selected file already exists as layer band
110
imagen=Image
111
tipo_leyenda=Legend files (*.GVL)
112
enlace_vivo=Active link
113
Por_favor_active_el_tema=Please activate the layer
114
importar_extent=Import actual view extent
115
quantile_intervals=Quantile interval
116
error_escritura=Can\u0092t write file
117
tamanyo_pagina=page size
118
seleccionar_parametros=Select parameters
119
abrir=Open
120
General=General
121
unidades=Units\:
122
configuracion_andami_tooltip=Andami configuration
123
Cuadrado=Square
124
rellenar_marco_vista=Fill view framework
125
Ancho_de_linea=Line Width
126
Dxffiles=DXFFiles
127
tipo_de_leyenda=Type of legend
128
En_metros=In meters
129
No_se_pudo_obtener_la_tabla_de_la_capa=It was not possible to retrieve from the layer
130
coincidir_tamanyo=match size
131
Zoom_a_la_capa=Zoom to layer
132
options.firewall.http.nonProxy=Connect directly to
133
Descripcion=Description
134
agrupar_linea=Group graphic line with graphics
135
info=Info
136
Valor_Bandas=Band value
137
desconectar=Disconnect
138
insertar_linea=Insert Line
139
path=Path
140
clave=Code
141
Indexando=Indexing...
142
owner=Owner
143
pref.general=General
144
optinos.network.click_to_test_connection=Press button to test the connection
145
tema=Layer
146
recta=Straight line
147
linf_der=lower right X
148
shape_seleccion=Export selection.
149
cuando_activo=When active
150
nuevo_tamano_fuente=New size of font\:
151
abrir_plantilla=Open template
152
propiedades_grafico=Graphic properties
153
Zoom_Menos_Vista=View frame Zoom Out
154
Nombres=Names
155
color=Color\:
156
Permite_etiquetar_los_elementos_del_mapa_con_el_valor_de_un_determinado_campo=Allows to set label of the map elements with the value of a particular field
157
confirmar_borrar=The element will be removed. Are you sure?
158
distribuir=Distributing\:
159
options.firewall.http.user=Username
160
circulo=Circle
161
detalles=Details
162
por_debajo_de=below\:
163
Habilitar_etiquetado=Enable labelling
164
dehacer=undo
165
registros_seleccionados_total=Total of selected records
166
ymin=Minimum Y
167
Muestra_todos_los_elementos_de_una_capa_usando_el_mismo_simbolo=Show all the items of a layer using the same symbol
168
fallo_capas=layer error
169
propiedades=Properties
170
reproyectar_aviso=The layer projection is not the same as the views projection.\nATENTION\: It can be unaccurate with some transformations.\nPlease read docs
171
Ajustar_transparencia=Adjust Transparency
172
hasta=to
173
desagrupar_graficos=Ungroup graphics
174
back=Previous
175
start_edition=Start edition
176
intervalo=interval
177
conservar_escala_visualizacion=Maintain viewing scale
178
pixeles=pixels
179
utilizar_margenes_impresora=Use printer margins
180
insertar_fila=inster row
181
Al_leer_la_leyenda=Reading legend
182
Simbolo=Symbol
183
Capas=Layers
184
muestra=sample
185
Seleccionar_fichero=Select file
186
select_none=Remove all
187
recuento=Recount
188
Otros=Other
189
Zoom_Mas_Vista=Zoom In View frame
190
navegacion=Navigation
191
infovalue=It shows elements of the layer using a symbol for each value.
192
visualizar_cuadricula=Visualize Grid
193
Etiqueta=Label
194
nuevo_tooltip=Create a new project
195
Sample=Sample
196
Valor=Value
197
Tiempo=Time
198
Campo_clasifica=Classification field
199
insertar_poligono=Insert Polygon
200
Mostrar_siempre=To show always
201
angulo_rotacion=Angle of rotation\:
202
mapas=Maps
203
configurar=Configure
204
campo=Field
205
por_encima_de=above\:
206
leyenda_campo_unido=You are using a field of the union either in the legend or in the labelling. Please, change the legend before removing the union.
207
nombre=Name
208
alerta=Warning
209
propiedades_marco_leyenda=Properties of legend framework
210
Encuadre_Vista=View frame Pan
211
Intervalos_por_rupturas_naturales=Intervals by natural breaks.
212
extension=Extension
213
propiedades_tema=Layer properties
214
modification_date=Modification date
215
formato=Format
216
igual_todos_lados=Equal displacement for all sides.
217
Back=Previous
218
Nuevo_conjunto=New set
219
coincidir_tamano=Match size\:
220
Zoom_Select=Zoom to selection
221
Usar_indice_espacial=Use spatial index
222
background_color=Background color
223
north=North
224
remove_column=Remove column
225
reproyectar_pregunta=Do you want to reproject?
226
Cambio_Color=Change Color
227
seleccione_fecha=Select date...
228
fallo_crear_pool=Failed to create connection pool
229
Intervalos=Intervals
230
multiples_intervalos=multiple intervals
231
jpg=JPEG files
232
Herramientas_vista=View tools
233
Encuadre=Zoom
234
Triangulo=Triangle
235
editar_vertices=edit vertex
236
remove_row=Remove row
237
tamano_posicion=size/position
238
untitled=Untitled
239
base_datos=Data base
240
__espacio_vertical=Vertical spacing\:
241
Salir=Exit
242
browse=browse
243
altura=Height\:
244
Se_va_a_tener_en_cuenta_para_borrar_los_registros_desde=... delete registers from
245
select_geom_field=Select field with geometry
246
seleccione_tabla_origen=Select origin table of the join
247
Superior=Upper
248
ascending_order=Ascending order
249
box=box
250
insertar_vista=Insert View
251
agrupacion=grouping
252
seleccione_el_campo_color_de_la_capa_de_anotaciones=<HTML>Choose the field used to store the label\u0092s color</HTML>
253
Color_Contorno=Color Outline
254
Centimetros=Centimeters
255
export=Export
256
Nombre_que_se_le_dara_al_zoom=Name for the zoom
257
tamano_pagina=Page Size
258
Accion_Predefinida=Predefined Action
259
cortar=cut
260
Bold=Bold
261
minimo=Minimum
262
divisiones_izquierda=Divisions to the left
263
pegar=paste
264
tag=tag
265
Imagen=Image
266
propiedades_marco_imagenes=Properties of Image framework
267
options.firewall.socks.host=SOCKS proxy host
268
orientacion=Orientation\:
269
el_numero_maximo_de_intervalos_para_este_campo_es=The maximum number of intervals for this field is
270
tablas=Tables
271
Seleccionar_del_conjunto=Select from set
272
Preparar_pagina=Prepare Page
273
error_comunicacion_servidor=An error connecting to server
274
num_filas=Number of rows
275
Muestra_los_atributos_de_las_capas_seleccionadas=Show selected layers attributes
276
anterior=Previous
277
__seleccion_de_fuente=Font selection
278
rango_de_escalas=Scale range
279
mosaico_tooltip=Mosaic
280
Calcular_intervalos=Compute intervals
281
propiedades_cajetin=Grid properties
282
lineal_directo=Direct Linear
283
Simbolo_Unico=Unique symbol
284
plantilla=plantilla
285
propiedades_raster=Raster propierties
286
Anadir_al_conjunto=Add to set
287
Guardar=Save
288
bmp=BMP files
289
Eliminar=Delete
290
show_this_dialog_next_startup=Show this dialog on next startup
291
seleccionar_por_rectangulo=Select by rectangle
292
ymax=Maximum Y
293
__lineas=lines
294
Leyenda=Legend
295
Style=Style
296
Capas_del_localizador=Locator layers
297
Origen_de_datos=Data origin
298
Personalizado=Custom
299
introduzca_intervalo_deseado=insert the desired interval
300
Linea=Line
301
en_unidades=in units
302
Zoom_Completo_Vista=View frame Full Extent
303
Coberturas=Coverages
304
Guardar_el_zoom_actual=Save current zoom
305
Use=this tool to create a virtual layer to perform advanced labelling, based on an existing layer. It changes the selected tool\u0092s visualization by showing one of its<br> fields\u0092 values.</HTML>
306
seleccionar_por_punto=Select by point
307
cancelar=Cancel
308
nombre_cobertura=Coverage\u0092s name
309
Valores_unicos=Unique values
310
Sean_iguales_a=same as
311
visibles=Visible
312
automatico=Automatic
313
options.firewall.socks.incorrect_host=Invalid SOCKS host
314
maximo=Maximum
315
next=Next
316
insertar_punto=Insert Point
317
ventana_proyecto=Project window
318
alto=Height
319
Error_abriendo_el_fichero=Error opening file
320
tarea_en_progreso=Running process
321
Valores=Values
322
alta=High
323
borrador=Draft
324
cargar_leyenda=Load legend
325
Mostrar_Contorno=Show Outline
326
Tipo_de_intervalos=Type of intervals
327
etiquetas=Lables\:
328
Color_inicio=Begin color
329
no_visibles=Not visible
330
grados=Degrees\:
331
select_unique_field=Select unique field
332
colocar_alrededor_todos=Place around all the graphics.
333
fuente=Font
334
seleccionar_CRS=Select CRS
335
recorte_vista=Cut to view
336
En_pixels=In pixels
337
toda_la_tabla=Entire table
338
medir_area=Measure area
339
Fichero=File
340
desagrupar_capas=ungroup layers
341
Zoom_pixel=Zoom to raster resolution
342
alinear=Align
343
vistas=Views
344
Seleccionar=Select
345
muestra_los_elementos_de_la_capa_usando_un_simbolo_por_cada_valor_unico=Show the layers features using a each unique value symbol
346
Dado_un_campo_de_atributos=Given a atribute field
347
Error_accediendo_a_los_datos=Error getting data
348
debe_estar_activada=Must be active
349
__redimensionar_texto_escala=Resize the text to the view scale
350
elemento_ya_existe=the element already exists
351
Mas_100=The number of values is higher than 100, and does not provide information
352
selecciona_sistema_de_referencia=Choose reference system
353
Next=Next
354
Esten_contenidos_en=contained in
355
creation_date=Creation date
356
Localizador_por_atributo=Locate by attribute
357
preparar_pagina=Prepare page
358
guardado=Saved in
359
Enlazar_a_ficheros_de_imagen=Link to image files
360
siguiente=Next
361
presentacion=Presentation
362
sobre_la_barra=On the scale bar
363
Tipo_de_linea=Line type
364
tipo_dato=Data type
365
Color_final=End color\:
366
servidor=Server
367
Yardas=Yards
368
wcs_properties=WCS properties
369
vacia=Empty
370
Contengan=contain
371
num_columnas=Number of columns
372
campo_altura_texto=Text field heigth\:
373
Subir_capa=Move layer up
374
Nombre=Name
375
ambito=Scope
376
seleccione_tabla=Table select
377
Seleccion_por_tema=Theme Selection
378
agrupar=Group
379
test_now=Check now
380
lsup_izq=Upper left X
381
Zoom=Pan zoom
382
Configurar_localizador=Configure locator ...
383
Fuente=Font
384
Seleccionar_de_las_capas_activas_los_elementos_que=Select items from active layers that are\:
385
options.firewall.http.port=HTTP proxy port
386
localizador=Locator
387
desde=from
388
tamano=Size\:
389
Previsualizacion_de_simbolo=Symbol preview
390
fallo_obtener_conexion_existente=Failed to get a created connection
391
Nueva_tabla=New Table
392
Aceptar=OK
393
mapa=map
394
Intervalos_equidistantes=Equality Intervals
395
lppp=ppi
396
descending_order_tooltip=Sort by selected field in descending order
397
borrar=Delete
398
Grosor_de_linea=Line width
399
relleno=Fill\:
400
cambio_nombre=Name change
401
formato_incorrecto=Invalid format
402
mas_de_100_simbolos=More than 100 symbols usually do not give any information in a map
403
espaciado_vertical=Vertical grid spacing
404
Editar_leyenda=Edit style
405
rectangulo=Rectangle
406
restore_defaults=Restore default values
407
Visualizacion=Visualization
408
Pies=Feet
409
seleccionar_capas=Select Layers
410
nuevo_proyecto=New project
411
Herramientas=Tools
412
bands=Bands
413
cancel=Cancel
414
Vista=View
415
fallo_registrar_conexion=Failed to register a connection
416
tamano_metros=Size in meters
417
seleccione_campo_enlace=Select field to use for link
418
preferences=Preferences...
419
seleccionar_coberturas=Select Coverages
420
Mapa=Map
421
insertar_recta=Insert Straight line
422
quiere_continuar=Would you like to continue?
423
descripcion=Description
424
importar=Import
425
Quitar_Todos=Remove All
426
filtro=Filter
427
Pulgadas=Inches
428
Ayuda=Help
429
activar_regla=Activate ruler
430
Recuperar_y_eliminar_otros_zoom=Recover and delete other zoom
431
edicion=edition
432
anchura=Width\:
433
seleccione_tabla_a_enlazar=Select table to link
434
propiedades_sesion=Session properties
435
ninguna_impresora_configurada=No printer set
436
Derecho=Right
437
propiedades_vista=View properties
438
en_el_mapa=In the Layout\:
439
salir_tooltip=Exit
440
propiedades_mapa=Map properties
441
Sean_disjuntos_a=disjoint as
442
cut=Cut
443
Elementos_seleccionados_de_la_capa=selected items of a layer
444
resolucion_resultado=Resolution of the result\:
445
Derecha=Right
446
Izquierdo=Left
447
Anadir_todos=Add all
448
Zoom_Mas=Zoom In
449
suma=Sum
450
Quitar=Remove
451
Cancel=Cancel
452
poligono=Poligon
453
guardar_como=Save as...
454
png=PNG files
455
Izquierda=Left
456
mostrar_unidades=Show units
457
Abrir_una_capa=Open Layer
458
zooms=Zooms
459
(escala_maxima)=(maximum scale)
460
exportar_pdf=Export to pdf
461
Valores_Unicos=Unique values
462
Desplazamiento=Displacement
463
tipos_de_documentos=Document types
464
options.firewall.socks.enabled=Use proxy SOCKS server
465
seleccion_fuente=Font selection
466
pref.network.firewall=Firewall/Proxy
467
Zoom_Menos=Zoom Out
468
finish=Finish
469
Hiperenlace=Hyperlink
470
Capa=Layer
471
seleccione_el_campo_de_texto_que_desea_que_se_utilize_para_mostrar_la_nueva_capa_virtual=<HTML>Choose the text field which should be used to show the new virtual layer.</HTML>
472
xmin=Minimum X
473
Aplicar=Apply
474
drivers=Drivers
475
visible=Visible
476
comentarios=Comments
477
editable=Editable
478
Previsualizacion=Preview
479
quitar_uniones=Remove joins
480
tamanyo_borde=Border size
481
hostname=Hostname
482
necesita_un_tema_activo=Needs an active theme
483
espaciado_horizontal=Horizontal grid spacing
484
guardar_cambios=Save changes?
485
insertar_norte=Insert north
486
Propiedades_de_la_Capa=Properties of the layer
487
Plain=Plain
488
coor_geograficas=Geografical coordinates
489
estadisticas=Statistics
490
Italic=Italic
491
A6=A6
492
A5=A5
493
A4=A4
494
A3=A3
495
Campos=Fields
496
A2=A2
497
seleccion=Selection
498
insertar_leyenda=Insert Legend
499
A1=A1
500
escala_usuario=Scale specified by the user
501
A0=A0
502
Anadir=Add
503
Transparencia=Transparency
504
propiedades_capa=Layer properties
505
modificar=modify
506
Insertar=Insert
507
mostrar_descripcion=Show description
508
Font=Font
509
usuario=user
510
Crucen_con=cross over
511
Muestra_atributos=Show attributes of selected layers.
512
medir_distancias=Measure distances
513
ancho=Width
514
acerca_de=About...
515
area_trabajo=Working area
516
Circulo=Circle
517
offline=Offline
518
este_por_debajo_de_=To be under
519
Shapefile=Shapefile
520
ok=Ok
521
usar_marco=Use frame
522
normal=Normal
523
Elegir_Fuente=Select Font
524
siempre=Always
525
resto_valores=Other values
526
insertar_escala=Insert Scale
527
host=computer
528
color_texto=Text color\:
529
conectar=Conect
530
guardar_proyecto=Save project
531
visualizacion=Viewing
532
Etiquetados=Labelling
533
titulo_confirmar=Confirmation
534
activos=Active
535
opacidad=Opacity
536
registros=records
537
posicion_linea=Position of the line
538
usar_titulo=Use title
539
refrescar=Refresh
540
numero_incorrecto=Invalid value
541
num_bandas=Number of bands
542
navegacion_vista=Navegation in a view
543
(escala_minima)=(minimum scale)
544
Tabla_de_Atributos=Table of Attributes
545
tipo_fichero_proyecto=gvSIG project file(*.gvsproj)
546
Valor_azul=Blue Value
547
Unidades=Units
548
Millas=Miles
549
no_activos=Not active
550
options.firewall.http.host=HTTP proxy server
551
titulo_fframetext=Text field title
552
Toquen=in contact with
553
fallo_realizar_consulta=Failed to create a query
554
cartografico=Cartographic
555
Examinar=Browse
556
Ancho_Contorno=Outline Width
557
seleccionar_tiempo=Select time position
558
tipo_relleno=Fill\:
559
escala=Scale
560
import=Import
561
deshacer=undo
562
barra=Bar\:
563
texto=Text
564
Formato=Format
565
mantener_intervalo=Keep interval
566
Identificar_Resultados=Identify Results
567
este_por_encima_de=To be over
568
Solo_para_capas_vectoriales=Only for vector layers
569
salir=Exit
570
grupo=group
571
insertar_rectangulo=Insert Rectangle
572
Zoom_Previo=Previous Zoom
573
Atributo=Attribute
574
horizontal=Horizontal
575
Generar_Intervalos=Generate Intervals
576
salvar_raster=Save as raster
577
seleccion_campos=Select fields
578
initial_warning=<html><b>WARNING\!</b><br>Development version. It might have important errors and even provocate damages in the edited files.<br><br>The last stable version of gvSIG is recommended for daily work.</html>
579
Detalles=Details
580
Error_exportando_SLD=Error exporting SLD
581
simbolo=symbol
582
guardar_tooltip=Save changes to project
583
extents_no_coincidentes=Extent of the selected image does not match with the origin image.
584
Formato_de_numero_erroneo=Incorrect number format
585
No_de_intervalos=Nr of intervals
586
tipo_de_intervalo=Interval type
587
xmax=Maximum X
588
Rango_de_escalas=Rank of Scales
589
_(Valores_unicos)=(Unique values)
590
abajo=Down
591
infodef=It shows all the elements of a layer using the same symbol.
592
polilinea=polyline
593
metros=Meters
594
copy=Copy
595
Intervalo=Interval
596
editar_propiedades=Edit properties
597
calidad=Quality
598
puerto=port
599
desagrupar=Ungroup
600
Propiedades_texto=Properties of text
601
valor_pixel=Pixel value
602
transparencia_pixel=Transparency per pixel
603
alinear_graficos=Align graphics
604
Inicializando=Initializing
605
marco_vista=Framework of the view
606
campo_de_documentos_asociados=Associated documents field
607
Escala=Scale
608
Zoom_Acercar=Zoom in
609
fallo_crear_conexion=Connection failure
610
recorte=clipping
611
insertar_circulo=Insert Circle
612
necesita_un_tema_vectorial_activo=Needs an active vectorial theme
613
Simbolo_unico=Unique symbols
614
import_map_context=Import maps from an OGC\u0092s Web Map Context file
615
muestra_consola_tooltip=Shows the console
616
adjust_transparency=Set Transparency
617
Archivo=File
618
ascending_order_tooltip=Sort by selected field in ascending order
619
desviacion_tipica=Standard deviation
620
warning=Warning
621
espere=Please wait
622
equal_intervals=Equal intervals
623
alineamiento=Alignment\:
624
introduce_nombre=Type the new name
625
abrir_proyecto=Open project
626
No_Shape=This Layer is not Shape type
627
Campo_de_etiquetado=Labelling field
628
Campo=Field
629
sincronizar_color_borde_relleno=Sincronize color of stroke and fill\:
630
escala_minima=minimum scale
631
transparencia=Transparency
632
linea=Line
633
Nivel_de_transparencia=Transparency Level
634
driver=driver
635
Etiquetado=Labelling
636
Guardar_leyenda=Save Style
637
Rasterfiles=Rasterfiles
638
insert_row=insert row
639
Zoom_Real=1\:1 Zoom
640
exportar_a=Export to...
641
Estilo=Style\:
642
No_reconocido=Not recognized
643
Escala_Minima=Minimum scale
644
seleccione_el_campo_fuente_de_la_capa_de_anotaciones=<HTML>Choose the field used to store the label\u0092s font</HTML>
645
zoom_mas_vista=Zoom In View frame
646
Cruz=Cross
647
linea_grafica=Graphic line
648
alias=Alias
649
malla_activada=Active grid
650
Color_inicial=Initial color\:
651
Etiquetas_estandar=Standard labels
652
Zoom_al_Tema=Zoom to layer
653
Size=Size
654
Tabla=Table
655
natural_intervals=Natural intervals
656
Propiedades_escala_grafica=Properties of the scale bar
657
distance_units=Measuring units
658
escala_maxima=maximum scale
659
Recuperar_leyenda=Load legend
660
Archivos_de_Disco=Disc files
661
bandas=Bands
662
propiedades_marco_vista=Properties of view framework
663
Elegir_Color=Select Color
664
Informacion=Information
665
usar_rango=Range in use
666
Valor_rojo=Red value
667
Se_superponen_a=over
668
eliminar_extremos=Remove edges
669
nombre_capa=Name of the layer
670
pila_de_comandos=commands stack
671
DGNFiles=DGNFiles
672
No_mostrar=Do not show the layer when the scale
673
de=of
674
Tipo_no_reconocido=Type not recognized
675
Altura_fija_de_texto=Fixed text height
676
base=base
677
Enlazar_a_fichero_de_texto=Link to text files
678
Ventana=Window
679
Anterior=Previous
680
pref.network=Network
681
eliminar_fila=remove row
682
respuesta_error_servidor=Cannot get the coverage
683
colocar_delante=Bring to front
684
Escala_Maxima=Maximum scale
685
Cambios_de_estilo=Style changes
686
WMS=WMS
687
simple=Simple
688
margenes=Margins\:
689
propiedades_de_la_capa=Layer properties
690
link=Link
691
options.firewall.http.enabled=Use proxy HTTP server
692
exportar=Export
693
propiedades_tabla=Table properties
694
agrupar_graficos=Group graphics
695
Leyenda_Por_Defecto=Default legend
696
Kilometros=Kilometers
697
Origen_de_Datos=Data Origin\:
698
nuevo=New
699
descending_order=Descending order
700
prueba_conexion=Connection test
701
Color_de_la_Linea=Line Color
702
error_lectura=Can\u0092t read file
703
Quitar_capa=Remove layer
704
recorte_colas=Queue clipping
705
nombre_sesion=Session name
706
descripcion_de_crear_capa_de_anotaciones=<HTML>
707
_(Intervalos)=(Intervals)
708
Graficos=Graphics
709
bd=db
710
desde_arriba=From top\:
711
Cancelar=Cancel
712
poner_temas_a=Set themes to ...
713
infobreak=It shows the elements of the layer using a range of colors.
714
resolucion=Resolution
715
guardar_leyenda=Save legend
716
kilometros=Kilometers
717
map_units=Map units
718
Abrir_Imagen=Open image
719
varianza=Variance
720
Num_intervalos=Number of Intervals
721
configurar_localizador=Configure Locator Map
722
abrir_tooltip=Open an existing project
723
ajustes_linea_grafica=Graphic line settings
724
Link=Link
725
marco=Frame
726
realce=Enhance
727
Zoom_Alejar=Zoom out
728
gestion_encuadre=Management of Fit in
729
Shapefiles=Shapefiles
730
rehacer=redo
731
tamanyo_fuente=Font size
732
Bajar_capa=Move layer down
733
__proyeccion_actual=Current projection\:
734
Tabla_de_prueba=Test Table
735
Metros=Meters
736
No_ha_sido_posible_realizar_la_operacion=The operation could not be performed
0 737

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/data/database/text_gl.properties
1
#Translations for language: gl
2
#Mon Jul 03 00:36:20 CEST 2006
0 3

  
tags/org.gvsig.desktop-2.0.67/org.gvsig.desktop.compat.cdc/org.gvsig.i18n/src/test/data/database/text_ca.properties
1
#Translations for language: ca
2
#Mon Jul 03 00:36:20 CEST 2006
3
consulta=Consulta
4
colocar_alrededor_seleccionados=Col\u00B7locar al voltant dels gr\u00E0fics seleccionats.
5
ancho_alto=Ampl\u00E0ria X Al\u00E7\u00E0ria
6
media=Media
7
Quitar_todos=Llevar tots
8
Parametros=Par\u00E0metres
9
conexion_correcta=Connexi\u00F3 correcta
10
selection_color=Color de la selecci\u00F3
11
cerrar=Tancar
12
titulo=Gestor de projectes
13
tipo_simbolo=Tipus de s\u00EDmbol\:
14
documentos_existentes=Documents existents
15
aceptar=Acceptar
16
grosor_linea=Gruix de l\u00EDnia\:
17
Siguiente=Seg\u00FCent
18
ver_tooltip=Mostra la finestra de projecte
19
Intersecten_con=intersecten amb
20
Color_de_Relleno=Color de Farciment
21
options.firewall.http.incorrect_host=Host HTTP incorrecte
22
_(Simbolo_unico)=(S\u00EDmbol \u00FAnic)
23
parametros=Par\u00E0metres
24
tipo_linea=Tipus de L\u00EDnia\:
25
Servidor=Servidor
26
agrupar_capas=Agrupar capes
27
capaWMS=CapaWMS
28
Simbologia=Simbologia
29
Propiedades_del_Tema=Propietats del tema
30
Ver=Veure
31
Zoom_Completo=Zoom Complet
32
leyenda=Llegenda
33
Milimetros=Mil\u00B7l\u00EDmetres
34
Tipo_de_leyenda=Tipus de llegenda
35
Perimetro=Per\u00EDmetre
36
punto=Punt
37
borra_seleccion=Esborrar selecci\u00F3
38
Cambio_Estilo=Canvi Estil
39
Anadir_capa=Afegir Capa
40
Ajustar_cobertura_wcs=Ajusteu la cobertura WCS
41
S\u00EDmbolo=S\u00EDmbol
42
eliminar_capa=Eliminar Capa
43
web_map_context=Web Map Context
44
ver_tabla_atributos=Veure Taula d\u0092atributs
45
Cerrar=Tancar
46
espacio=Espai\:
47
Muestra_los_elementos_de_la_capa_usando_una_gama_de_colores_en_funcion_del_valor_de_un_determinado_campo_de_atributos=Mostra els elements de la capa usant una gamma de colors en funci\u00F3 del valor d\u0092un determinat camp d\u0092atributs
48
select_all=Seleccionar tots
49
sin_realce=Sense Relleu
50
Imprimir=Imprimir
51
join=Uni\u00F3
52
simplificar=Simplificar
53
insertar_imagen=Insertar Imatge
54
Cambio_de_estilo=Canvi d\u0092estil
55
Campo_de_clasificacion=Camp de classificaci\u00F3
56
guardar_clave=Guardar la clau
57
options.firewall.http.password=Contrasenya
58
_(Etiquetas_estandar)=(Etiquetes est\u00E0ndard)
59
propiedades_del_tema=Propietats del tema
60
baja=Baixa
61
renombrar=Renomenar
62
Error_guardando_la_leyenda=Error guardant la llegenda
63
insertar_texto=Insertar Text
64
options.network.status=Estat de la connexi\u00F3
65
Extent=Extensi\u00F3
66
fichero_incorrecto=Fitxer incorrecte
67
options.firewall.socks.port=Puerto proxy SOCKS
68
online=Connectat
69
seleccionar_formato=Seleccionar Format
70
statistics=Estad\u00EDstiques
71
servidor_wcs_no_responde=El servidor seleccionat no respon
72
quitar_enlaces=LLevar enlla\u00E7os
73
causa_error_desconocida=Error inesperat del servidor
74
Anadir_Capa=Afegir Capa
75
sin_titulo=Sense t\u00EDtol
76
finalizar=Finalitzar
77
arriba=Amunt
78
Igual_que_la_impresora=Igual que la impressora
79
Un_Layer=Ha de seleccionar almenys una capa.
80
informacion=Informaci\u00F3
81
seleccionar_todos=Seleccionar tots
82
guardar_como_plantilla=Guardar com a plantilla
83
desde_izquierda=Des de l\u0092Esquerra\:
84
colocar_a_margenes=Col\u00B7locar amb refer\u00E8ncia a m\u00E0rgens.
85
No_mostrar_la_capa_cuando_la_escala=No mostrar la capa quan l\u0092escala
86
Inferior=Inferior
87
Valor_verde=Valor Verd
88
fallo_obtener_tablas=Fallada en obtindre les taules de la base de dades
89
colocar_detras=Col\u00B7locar darrere
90
vertical=Vertical
91
fichero_existe=El fitxer seleccionat ja existix com a banda de la capa
92
imagen=Imatge
93
tipo_leyenda=Fitxers de tipus llegenda (*.GVL)
94
enlace_vivo=Enlla\u00E7 viu
95
Por_favor_active_el_tema=Per favor, activeu el tema
96
importar_extent=Importar l\u0092extensi\u00F3 actual de la vista
97
quantile_intervals=Intervals quantils
98
error_escritura=No s\u0092ha pogut guardar el projecte
99
seleccionar_parametros=Seleccioneu els par\u00E0metres
100
abrir=Obrir
101
General=General
102
unidades=Unitats\:
103
configuracion_andami_tooltip=Configuraci\u00F3 Andami
104
Cuadrado=Quadrat
105
rellenar_marco_vista=Reomplir marc de la vista
106
Ancho_de_linea=Ample de l\u00EDnia
107
Dxffiles=Fitxers .DXF
108
tipo_de_leyenda=Tipus de llegenda
109
En_metros=En metres
110
options.firewall.http.nonProxy=Connectar directament a
111
Descripcion=Descripci\u00F3
112
agrupar_linea=Agrupar l\u00EDnia gr\u00E0fica amb gr\u00E0fics
113
info=Info
114
Valor_Bandas=Valor Bandes
115
desconectar=Desconnectar
116
insertar_linea=Insertar L\u00EDnia
117
path=Ruta
118
clave=Clau
119
owner=Propietari
120
pref.general=General
121
optinos.network.click_to_test_connection=Prema el bot\u00F3 per comprovar la connexi\u00F3
122
tema=Tema
123
recta=Recta
124
linf_der=Inf. dre.  X
125
shape_seleccion=Exportar la selecci\u00F3
126
cuando_activo=Si est\u00E0 Actiu
127
nuevo_tamano_fuente=Nova Dimensi\u00F3 de font\:
128
abrir_plantilla=Obrir plantilla
129
propiedades_grafico=Propietats Gr\u00E0fic
130
Zoom_Menos_Vista=Zoom Menys sobre la Vista
131
Nombres=Noms
132
color=Color\:
133
Permite_etiquetar_los_elementos_del_mapa_con_el_valor_de_un_determinado_campo=Permet etiquetar els elements del mapa amb el valor d\u0092un determinat camp
134
confirmar_borrar=Est\u00E0 segur que desitja esborrar l\u0092element?
135
distribuir=Distribuir\:
136
options.firewall.http.user=Nom d\u0092usuario
137
circulo=Cercle
138
detalles=Detalls
139
por_debajo_de=per davall de\:
140
Habilitar_etiquetado=Habilitar etiquetat
141
registros_seleccionados_total=Total registres seleccionats
142
ymin=Y m\u00EDnima
143
Muestra_todos_los_elementos_de_una_capa_usando_el_mismo_simbolo=Mostra tots els elements d\u0092una capa usant el mateix s\u00EDmbol
144
propiedades=Propietats
145
reproyectar_aviso=La projecci\u00F3 de la capa no \u00E9s igual que la de la vista.\nAVISO\: pot ser inexacte amb algunes transformaciones.\nPer favor, llija la documentaci\u00F3
146
Ajustar_transparencia=Ajustar Transpar\u00E8ncia
147
hasta=fins a
148
desagrupar_graficos=Desagrupar gr\u00E0fics
149
back=Anterior
150
conservar_escala_visualizacion=Conservar escala de visualitzaci\u00F3
151
pixeles=p\u00EDxels
152
utilizar_margenes_impresora=Utilitzar m\u00E0rgens de la impressora.
153
Al_leer_la_leyenda=En llegir la llegenda
154
Simbolo=S\u00EDmbol
155
Capas=Capes
156
Seleccionar_fichero=Seleccionar fitxer
157
select_none=Llevar tots
158
recuento=Recompte
159
Otros=Altres
160
Zoom_Mas_Vista=Zoom M\u00E9s sobre la Vista
161
navegacion=Navegaci\u00F3
162
infovalue=Mostra elements de la capa usant un s\u00EDmbol per cada valor.
163
visualizar_cuadricula=Visualitzeu malla
164
Etiqueta=Etiqueta
165
nuevo_tooltip=Crea un nou projecte
166
Sample=Exemple
167
Valor=Valor
168
Tiempo=Temps
169
Campo_clasifica=Camp de Classificaci\u00F3
170
insertar_poligono=Insertar Pol\u00EDgon
171
Mostrar_siempre=Mostrar sempre
172
angulo_rotacion=Angle de rotaci\u00F3\:
173
mapas=Mapes
174
configurar=Configurar
175
campo=Camp
176
por_encima_de=per damunt de\:
177
leyenda_campo_unido=S\u0092est\u00E0 utilitzant un camp de la uni\u00F3 en la llegenda (i/o etiquetatge). Canvie la llegenda abans de llevar la uni\u00F3, per favor.
178
nombre=Nom
179
alerta=Av\u00EDs
180
propiedades_marco_leyenda=Propietats del marc de la llegenda
181
Encuadre_Vista=Enquadre sobre la Vista
182
Intervalos_por_rupturas_naturales=Intervals per trencaments naturals.
183
extension=Extensi\u00F3
184
propiedades_tema=Propietats del Tema
185
modification_date=\u00DAltima data de modificaci\u00F3
186
formato=Format
187
igual_todos_lados=Despla\u00E7ament igual per tots els costats.
188
Back=Anterior
189
Nuevo_conjunto=Nou conjunt
190
coincidir_tamano=Coincidir Dimensi\u00F3\:
191
Zoom_Select=Zoom a la part seleccionada
192
Usar_indice_espacial=Usar \u00EDndex espacial
193
background_color=Color de fons
194
north=Nord
195
reproyectar_pregunta=Vol reprojectar-la?
196
Cambio_Color=Canvi Color
197
seleccione_fecha=Seleccione una data...
198
fallo_crear_pool=Fallada en la creaci\u00F3 del pool de connexions
199
Intervalos=Intervals
200
jpg=Fitxers JPEG
201
Herramientas_vista=Ferramentes de la Vista
202
Encuadre=Enquadre
203
Triangulo=Triangle
204
tamano_posicion=Dimensi\u00F3 i posici\u00F3
205
untitled=Sense t\u00EDtol
206
base_datos=Base de dades
207
__espacio_vertical=Espai vertical\:
208
Salir=Eixir
209
altura=Altura\:
210
Se_va_a_tener_en_cuenta_para_borrar_los_registros_desde=Es tindr\u00E0 en compte per a esborrar els registres des de
211
select_geom_field=Seleccioneu el camp que porta la geometria
212
seleccione_tabla_origen=Seleccioneu la taula d\u0092origen de la uni\u00F3
213
Superior=Superior
214
ascending_order=Orde ascendent
215
insertar_vista=Insertar Vista
216
Color_Contorno=Color Contorn
217
Centimetros=Cent\u00EDmetres
218
export=Exportar
219
Nombre_que_se_le_dara_al_zoom=Nom que se li donar\u00E0 al zoom
220
tamano_pagina=Dimensi\u00F3 de p\u00E0gina\:
221
Accion_Predefinida=Acci\u00F3 Predefinida
222
Bold=Bold
223
minimo=M\u00EDnim
224
divisiones_izquierda=Divisions a l\u0092esquerra
225
Imagen=Imatge
226
propiedades_marco_imagenes=Propietats del marc d\u0092im\u00E0tgens
227
options.firewall.socks.host=Servidor proxy SOCKS
228
orientacion=Orientaci\u00F3\:
229
el_numero_maximo_de_intervalos_para_este_campo_es=El nombre m\u00E0xim d\u0092intervals per a este camps \u00E9s
230
tablas=Taules
231
Seleccionar_del_conjunto=Seleccionar del conjunt
232
Preparar_pagina=Preparar p\u00E0gina
233
error_comunicacion_servidor=S\u0092ha produ\u00EFt un error en comunicar amb el servidor
234
Muestra_los_atributos_de_las_capas_seleccionadas=Mostra els atributs de les capes seleccionades
235
anterior=Anterior
236
__seleccion_de_fuente=Selecci\u00F3 de font
237
rango_de_escalas=Rang d\u0092escales
238
mosaico_tooltip=Mosaic
239
Calcular_intervalos=Calcular intervals
240
lineal_directo=Linial Directe
241
Simbolo_Unico=S\u00EDmbol \u00DAnic
242
propiedades_raster=Propietats del r\u00E0ster
243
Anadir_al_conjunto=Afegir al conjunt
244
Guardar=Guardar
245
bmp=Fitxers de tipus bmp
246
Eliminar=Eliminar
247
seleccionar_por_rectangulo=Seleccionar per rectangle
248
ymax=Y m\u00E0xima
249
__lineas=l\u00EDnies
250
Leyenda=Llegenda
251
Style=Estil
252
Capas_del_localizador=Capes del localitzador
253
Origen_de_datos=Origen de dades
254
Personalizado=Personalitzat
255
Linea=L\u00EDnia
256
Zoom_Completo_Vista=Zoom Complet sobre la Vista
257
Coberturas=Cobertures
258
Guardar_el_zoom_actual=Guardar el zoom
259
seleccionar_por_punto=Seleccionar per punt
260
cancelar=Cancel\u00B7lar
261
nombre_cobertura=Nom de la cobertura
262
Valores_unicos=Valors \u00FAnics
263
Sean_iguales_a=siguen iguals a
264
visibles=Visibles
265
automatico=Autom\u00E0tic
266
options.firewall.socks.incorrect_host=Host SOCKS incorrecte
267
maximo=M\u00E0xim
268
next=Seg\u00FCent
269
insertar_punto=Insertar Punt
270
ventana_proyecto=Finestra de projecte
271
alto=Alt
272
Error_abriendo_el_fichero=Error obrint el fitxer
273
tarea_en_progreso=Tasca en progr\u00E9s
274
Valores=Valors
275
alta=Alta
276
borrador=Esborrany
277
cargar_leyenda=Carregar llegenda
278
Mostrar_Contorno=Mostrar Contorn
279
Tipo_de_intervalos=Tipus d\u0092intervals
280
etiquetas=Etiquetes
281
Color_inicio=Color d\u0092inici
282
no_visibles=No visibles
283
grados=Graus\:
284
select_unique_field=Seleccioneu el camp \u00FAnic
285
colocar_alrededor_todos=Col\u00B7locar al voltant de tots els gr\u00E0fics.
286
fuente=Font
287
seleccionar_CRS=Seleccioneu CRS
288
recorte_vista=Retall a vista
289
En_pixels=En pixels
290
toda_la_tabla=Tota la taula
291
medir_area=Mesurar \u00C0rea
292
Fichero=Fitxer
293
Zoom_pixel=Zoom a la resoluci\u00F3 del r\u00E0ster
294
alinear=Alinear
295
vistas=Vistes
296
Seleccionar=Seleccionar
297
muestra_los_elementos_de_la_capa_usando_un_simbolo_por_cada_valor_unico=Mostra els elements de la capa usant un s\u00EDmbol per cada valor \u00FAnic
298
Dado_un_campo_de_atributos=Donat un camp d\u0092atributs
299
Error_accediendo_a_los_datos=Error accedint a les dades
300
debe_estar_activada=Ha d\u0092estar activada
301
__redimensionar_texto_escala=Redimensione el text a escala amb la vista
302
Mas_100=El nombre de valors \u00E9s superior a 100, i no aporta informaci\u00F3
303
Next=Seg\u00FCent
304
Esten_contenidos_en=estiguen continguts en
305
creation_date=Data de creaci\u00F3
306
Localizador_por_atributo=Localitzador per atribut
307
preparar_pagina=Preparar p\u00E0gina
308
guardado=Guardat en
309
Enlazar_a_ficheros_de_imagen=Enlla\u00E7ar a fitxers d\u0092imatge
310
siguiente=Seg\u00FCent
311
presentacion=Presentaci\u00F3
312
sobre_la_barra=Sobre la barra
313
Tipo_de_linea=Tipus de l\u00EDnia
314
tipo_dato=Tipus de dada
315
Color_final=Color final\:
316
servidor=Servidor
317
Yardas=Iardes
318
wcs_properties=Propiedats WCS
319
vacia=Buida
320
Contengan=ontinguen
321
campo_altura_texto=Camp d\u0092altura de text\:
322
Subir_capa=Pujar capa
323
Nombre=Nom
324
ambito=\u00C0mbit
325
seleccione_tabla=Seleccioneu la taula
326
Seleccion_por_tema=Selecci\u00F3 per tema
327
agrupar=Agrupar
328
test_now=Comprovar ara
329
lsup_izq=Sup. esq. X
330
Zoom=Zoom
331
Configurar_localizador=Configurar Localitzador ...
332
Fuente=Font
333
Seleccionar_de_las_capas_activas_los_elementos_que=Seleccione de les capes actives els elements que\:
334
options.firewall.http.port=Puerto proxy HTTP
335
tamano=Dimensi\u00F3\:
336
Previsualizacion_de_simbolo=Previsualitzaci\u00F3 de s\u00EDmbol
337
fallo_obtener_conexion_existente=Fallada en obtindre una connexi\u00F3 ja creada
338
Nueva_tabla=Nova Taula
339
Aceptar=Acceptar
340
Intervalos_equidistantes=Intervals equidistants.
341
lppp=ppp
342
N\u00FAm_intervalos=Nr. intervals
343
descending_order_tooltip=S\u0092ordena pel camp seleccionat en orde descendent
344
borrar=Esborrar
345
Grosor_de_linea=Gruix de l\u00EDnia
346
relleno=Farciment\:
347
cambio_nombre=Canvi de nom
348
formato_incorrecto=Format incorrecte
349
mas_de_100_simbolos=M\u00E9s de 100 s\u00EDmbols no solen aportar informaci\u00F3 en un pla
350
espaciado_vertical=Espaiat vertical de la malla
351
Editar_leyenda=Editar Llegenda
352
rectangulo=Rectangle
353
restore_defaults=Restaura valors predeterminats
354
Visualizacion=Visualitzaci\u00F3
355
Pies=Peus
356
seleccionar_capas=Seleccionar Capes
357
nuevo_proyecto=Nou projecte
358
Herramientas=Ferramentes
359
bands=Bandes
360
cancel=Cancel\u00B7lar
361
Vista=Vista
362
fallo_registrar_conexion=Fallada en el registre d\u0092una connexi\u00F3
363
tamano_metros=Dimensi\u00F3 en metres
364
seleccione_campo_enlace=Seleccioneu el camp a trav\u00E9s del qual cal enlla\u00E7ar
365
preferences=Prefer\u00E8ncies...
366
seleccionar_coberturas=Seleccioneu les cobertures
367
Mapa=Mapa
368
insertar_recta=Insertar Recta
369
quiere_continuar=Est\u00E0 segur que vol continuar?
370
descripcion=Descripci\u00F3
371
importar=Importar
372
Quitar_Todos=Llevar Tots
373
filtro=Filtre
374
Pulgadas=Polsades
375
Ayuda=Ajuda
376
activar_regla=Activar regla
377
Recuperar_y_eliminar_otros_zoom=Recuperar i eliminar altres zooms
378
anchura=Ampl\u00E0ria\:
379
seleccione_tabla_a_enlazar=Seleccioneu la taula que cal enlla\u00E7ar
380
propiedades_sesion=Propietats de la sessi\u00F3
381
ninguna_impresora_configurada=Cap impressora configurada
382
Derecho=Dret
383
propiedades_vista=Propietats de la vista
384
en_el_mapa=En el mapa\:
385
salir_tooltip=Eixir
386
propiedades_mapa=Propietats del mapa
387
Sean_disjuntos_a=siguen disjunts a
388
Elementos_seleccionados_de_la_capa=elements seleccionats de la capa
389
resolucion_resultado=Resoluci\u00F3 del resultat\:
390
Derecha=Dreta
391
Izquierdo=Esquerre
392
Anadir_todos=Afegir tots
393
Zoom_Mas=Zoom M\u00E9s
394
suma=Suma
395
Quitar=Llevar
396
Cancel=Cancel\u00B7lar
397
poligono=Pol\u00EDgon
398
guardar_como=Guardar com a...
399
png=Fitxers png
400
Izquierda=Esquerra
401
mostrar_unidades=Mostrar unitats
402
Abrir_una_capa=Afegir capa
403
zooms=Zoom
404
(escala_maxima)=(escala m\u00E0xima)
405
exportar_pdf=Exportar a pdf
406
Valores_Unicos=Valors \u00DAnics
407
Desplazamiento=Despla\u00E7ament
408
tipos_de_documentos=Tipus de documents
409
options.firewall.socks.enabled=Fer \u00FAs de servidor proxy SOCKS
410
seleccion_fuente=Selecci\u00F3 de font
411
pref.network.firewall=Firewall/Proxy
412
Zoom_Menos=Zoom Menys
413
finish=Finalitzar
414
Hiperenlace=Hiperenlla\u00E7
415
Capa=Capa
416
xmin=X m\u00EDnima
417
Aplicar=Aplicar
418
drivers=Programes de control
419
visible=Visible
420
comentarios=Comentaris
421
editable=Editable
422
Previsualizacion=Previsualitzaci\u00F3
423
quitar_uniones=Llevar unions
424
tamanyo_borde=Grand\u00E0ria de la vora
425
hostname=Hostname
426
necesita_un_tema_activo=Es necessita un tema actiu
427
espaciado_horizontal=Espaiat horitzontal de la malla
428
guardar_cambios=Vol guardar els canvis?
429
insertar_norte=Insertar nord
430
Propiedades_de_la_Capa=Propietats de la Capa
431
Plain=Plain
432
coor_geograficas=Coor. geogr\u00E0fiques
433
estadisticas=Estad\u00EDstiques
434
Italic=Italic
435
A6=A6
436
A5=A5
437
A4=A4
438
A3=A3
439
Campos=Camps
440
A2=A2
441
seleccion=Selecci\u00F3
442
insertar_leyenda=Insertar Llegenda
443
A1=A1
444
escala_usuario=Escala especificada per l\u0092usuari
... This diff was truncated because it exceeds the maximum size that can be displayed.

Also available in: Unified diff