Welcome to mirror list, hosted at ThFree Co, Russian Federation.

dia_ca.txt « resources « webapp « main « src - github.com/jgraph/drawio.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: 37931ee4a575b1b8a9ff61ce93ac4098a3fd633d (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
# *DO NOT DIRECTLY EDIT THIS FILE, IT IS AUTOMATICALLY GENERATED AND IT IS BASED ON:*
# https://docs.google.com/spreadsheet/ccc?key=0AmQEO36liL4FdDJLWVNMaVV2UmRKSnpXU09MYkdGbEE
about=Quant al
aboutDrawio=Quant al draw.io
accessDenied=Accés denegat
action=Acció
actualSize=Mida real
add=Afegeix
addAccount=Afegeix un compte
addedFile={1} afegit
addImages=Afegeix imatges
addImageUrl=Afegeix l'URL de la imatge
addLayer=Afegeix una capa
addProperty=Afegeix una propietat
address=Adreça
addToExistingDrawing=Afegeix al dibuix actual
addWaypoint=Afegeix una coordenada
adjustTo=Ajustar a
advanced=Avançat
align=Alinea
alignment=Alineació
allChangesLost=Es perdran tots els canvis!
allPages=Totes les pàgines
allProjects=Tots els projectes
allSpaces=Tots els espais
allTags=Totes les etiquetes
anchor=Enllaç
android=Android
angle=Angle
arc=Arc
areYouSure=Esteu segur?
ensureDataSaved=Si us plau, assegureu-vos d'haver desat les dades abans de tancar.
allChangesSaved=S'han desat tots els canvis
allChangesSavedInDrive=S'han desat tots els canvis a Drive
allowPopups=Permet els elements emergents per evitar aquest quadre de diàleg.
allowRelativeUrl=Permet URL relatiu
alreadyConnected=Els nodes ja estan connectats
apply=Aplica
archiMate21=ArchiMate 2.1
arrange=Organitza
arrow=Fletxa
arrows=Fletxes
asNew=Com a nou
atlas=Atles
author=Autor
authorizationRequired=Cal autorització
authorizeThisAppIn=Autoritza aquesta aplicació a {1}:
authorize=Autoritza
authorizing=S'està autoritzant
automatic=Automàtic
autosave=Desada automàtica
autosize=Mida automàtica
attachments=Fitxers adjunts
aws=AWS
aws3d=AWS 3D
azure=Azure
back=Darrera
background=Fons
backgroundColor=Color de fons
backgroundImage=Imatge de fons
basic=Bàsic
beta=beta
blankDrawing=Dibuix en blanc
blankDiagram=Diagrama en blanc
block=Bloc
blockquote=Cita en bloc
blog=Blog
bold=Negreta
bootstrap=Bootstrap
border=Vora
borderColor=Color de la vora
borderWidth=Amplada de la vora
bottom=Inferior
bottomAlign=Alineació inferior
bottomLeft=Inferior esquerra
bottomRight=Inferior dreta
bpmn=BPMN
bringForward=Bring Forward
browser=Navegador
bulletedList=Llista de pics
business=Professional
busy=Operació en marxa
cabinets=Cabinets
cancel=Cancel·la
center=Centra
cannotLoad=S'ha produït un error  la càrrega. Torneu-ho a provar més tard.
cannotLogin=S'ha produït un error en l'inici de sessió. Torneu-ho a provar més tard.
cannotOpenFile=No s'ha pogut obrir el fitxer
change=Canvia
changeOrientation=Canvia l'orientació
changeUser=Canvia d'usuari
changeStorage=Canvia l'emmagatzematge
changesNotSaved=No s'han desat els canvis
classDiagram=Class Diagram
userJoined={1} s'ha afegit
userLeft={1} ha sortit
chatWindowTitle=Xat
chooseAnOption=Escolliu una opció
chromeApp=Aplicació Chrome
collaborativeEditingNotice=Avís important per a l'edició col·laborativa
compare=Compare
compressed=Comprimit
commitMessage=Missatge de la comissió
configLinkWarn=L'enllaç configura el draw.io. Feu clic a "D'acord" només si confieu en la persona que us l'ha enviat.
configLinkConfirm=Feu clic a "D'acord" per configurar i reiniciar el draw.io.
container=Container
csv=CSV
dark=Fosc
diagramXmlDesc=Fitxer XML
diagramHtmlDesc=Fitxer HTML
diagramPngDesc=Imatge de mapa de bits editable
diagramSvgDesc=Imatge vectorial editable
didYouMeanToExportToPdf=Voleu exportar-ho a PDF?
draftFound=S'ha trobat un esborrany per a '{1}'. Carrega'l a l'editor o descarta'l per continuar.
draftRevisionMismatch=There is a different version of this diagram on a shared draft of this page. Please edit the diagram from the draft to ensure you are working with the latest version.
selectDraft=Select a draft to continue editing:
dragAndDropNotSupported=Les imatges no es poden arrossegar i deixar anar. Voleu importar-les?
dropboxCharsNotAllowed=No es permeten aquests caràcters: \ / : ? * " |
check=Comprova
checksum=Suma de verificació
circle=Cercle
cisco=Cisco
classic=Clàssic
clearDefaultStyle=Esborra l'estil predeterminat
clearWaypoints=Esborra les coordenades
clipart=Imatges predissenyades
close=Tanca
closingFile=S'està tancant el fitxer
realtimeCollaboration=Real-Time Collaboration
collaborator=Col·laborador
collaborators=Col·laboradors
collapse=Minimitza
collapseExpand=Minimitza/Maximitza
collapse-expand=Feu clic per reduir/xtendre\nPremeu Shift i feu clic per moure els veïns\nPremeu Alt i feu clic per protegir la mida del grup
collapsible=Plegable
comic=Còmic
comment=Comentari
commentsNotes=Comentaris/Notes
compress=Comprimeix
configuration=Configuració
connect=Connecta
connecting=Connectant
connectWithDrive=Connecta amb Google Drive
connection=Connexió
connectionArrows=Fletxes de connexió
connectionPoints=Punts de connexió
constrainProportions=Limita les proporcions
containsValidationErrors=Conté errors de validació
copiedToClipboard=Copiat al porta-retalls
copy=Copia
copyConnect=Copia en connectar
copyCreated=S'ha creat una còpia del fitxer.
copyData=Copy Data
copyOf=Còpia de {1}
copyOfDrawing=Còpia del dibuix
copySize=Copia la mida
copyStyle=Copia l'estil
create=Crea
createNewDiagram=Crea un diagrama nou
createRevision=Crea una revisió
createShape=Crea una forma
crop=Retalla
curved=Corbada
custom=Personalitza
current=Actual
currentPage=Pàgina actual
cut=Retalla
dashed=Discontinu
decideLater=Decideix més tard
default=Predeterminat
delete=Suprimeix
deleteColumn=Suprimeix la columna
deleteLibrary401=No teniu permisos suficients per a suprimir aquesta biblioteca
deleteLibrary404=La biblioteca seleccionada no s'ha trobat
deleteLibrary500=Error en esborrar la biblioteca
deleteLibraryConfirm=Estàs a punt d'esborrar permanentment aquesta biblioteca. Estàs segur de voler-ho fer?
deleteRow=Suprimeix la fila
description=Descripció
device=Dispositiu
diagram=Diagrama
diagramContent=Contingut del diagrama
diagramLocked=El diagrama s'ha bloquejat per evitar la pèrdua de dades.
diagramLockedBySince=El diagrama està bloquejat per {1} des de fa {2}
diagramName=Nom del diagrama
diagramIsPublic=El diagrama és públic
diagramIsNotPublic=El diagrama no és públic
diamond=Diamant
diamondThin=Diamant (fi)
didYouKnow=Sabies que...
direction=Direcció
discard=Descarta
discardChangesAndReconnect=Descarta els canvis i torna a connectar
googleDriveMissingClickHere=No trobes Google Drive? Clica aquí!
discardChanges=Descartar els canvis
disconnected=Desconnectat
distribute=Distribueix
done=Finalitzat
doNotShowAgain=No ho tornis a mostrar
dotted=Puntejat
doubleClickOrientation=Fes doble clic per canviar l'orientació
doubleClickTooltip=Fes doble clic per inserir text
doubleClickChangeProperty=Fes doble clic per canviar el nom de la propietat
download=Descarrega
downloadDesktop=Descarrega per a escriptori
downloadAs=Descarrega com
clickHereToSave=Feu clic aquí per desar.
dpi=DPI
draftDiscarded=S'ha descartat l'esborrany
draftSaved=S'ha desat l'esborrany
dragElementsHere=Arrossegueu elements aquí
dragImagesHere=Arrossegueu les imatges o els URL aquí
dragUrlsHere=Arrossegueu els URL aquí
draw.io=draw.io
drawing=Dibuix{1}
drawingEmpty=El dibuix està buit
drawingTooLarge=El dibuix és massa gran
drawioForWork=Draw.io per a GSuite
dropbox=Dropbox
duplicate=Duplica
duplicateIt=Duplica {1}
divider=Separador
dx=Dx
dy=Dy
east=Est
edit=Edita
editData=Edita les dades
editDiagram=Edita el diagrama
editGeometry=Edita la geometria
editImage=Edita la imatge
editImageUrl=Edita l'URL de la imatge
editLink=Edita l'enllaç
editShape=Edita la forma
editStyle=Edita l'estil
editText=Edita el text
editTooltip=Edita els consells d'eines
glass=Vidre
googleImages=Google Imatges
imageSearch=Cerca d'imatges
eip=EIP
embed=Incrusta
embedFonts=Embed Fonts
embedImages=Incrusta imatges
mainEmbedNotice=Enganxa-ho a la pàgina
electrical=Elèctric
ellipse=El·lipse
embedNotice=Enganxa-ho una vegada al final de la pàgina
enterGroup=Introduïu el grup
enterName=Introduïu el nom
enterPropertyName=Introduïu el nom de propietat
enterValue=Introduïu el valor
entityRelation=Relació de l'entitat
entityRelationshipDiagram=Diagrama Entitat-Relació
error=Error
errorDeletingFile=Error en esborrar el fitxer
errorLoadingFile=Error en carregar el fitxer
errorRenamingFile=Error en canviar el nom del fitxer
errorRenamingFileNotFound=Error en canviar el nom del fitxer. No s'ha trobat el fitxer.
errorRenamingFileForbidden=Error en canviar el nom del fitxer. No disposa dels drets d'accés suficients.
errorSavingDraft=Error en desar l'esborrany
errorSavingFile=Error en desar el fitxer
errorSavingFileUnknown=Error en autoritzar els servidors de Google. Actualitzeu la pàgina per reintentar-ho.
errorSavingFileForbidden=Error en desar el fitxer. No disposeu dels drets d'accés suficients.
errorSavingFileNameConflict=No s'ha pogut desar el diagrama. La pàgina actual conté un fitxer anomenat '{1}'.
errorSavingFileNotFound=Error en desar. No s'ha trobat el fitxer.
errorSavingFileReadOnlyMode=No s'ha pogut desar el diagrama mentre el mode de només lectura és actiu.
errorSavingFileSessionTimeout=La teva sessió ha acabat. Si us plau, <a target='_blank' href='{1}'>{2}</a> i retorna a aquesta pestanya per intentar desar-ho de nou.
errorSendingFeedback=Error en enviar l'opinió.
errorUpdatingPreview=S'ha produït un error en actualitzar la vista prèvia.
exit=Surt
exitGroup=Surt del grup
expand=Amplia
export=Exporta
exporting=S'està exportant
exportAs=Exporta com a
exportOptionsDisabled=Opcions d'exportació inactives
exportOptionsDisabledDetails=El propietari ha desactivat les opcions per a descarregar, imprimir o copiar aquest fitxer pels que només tenen permís per visualitzar i comentar.
externalChanges=Canvis externs
extras=Extres
facebook=Facebook
failedToSaveTryReconnect=Error en desar, intentant reconnectar
featureRequest=Sol·licitud de funcions
feedback=Comentaris
feedbackSent=S'ha enviat la seva opinió correctament.
floorplans=Plànols
file=Fitxer
fileChangedOverwriteDialog=S'ha modificat el fitxer. Esteu segur que voleu desar el fitxer i sobreescriure els canvis?
fileChangedSyncDialog=S'ha modificat el fitxer.
fileChangedSync=S'ha modificat el fitxer. Feu clic aquí per sincronitzar.
overwrite=Sobreescriu
synchronize=Sincronitza
filename=Nom del fitxer
fileExists=Aquest fitxer ja existeix
fileMovedToTrash=S'ha tirat el fitxer a la paperera
fileNearlyFullSeeFaq=El fitxer està quasi ple, vegeu les PMF
fileNotFound=No s'ha trobat el fitxer
repositoryNotFound=No s'ha trobat el repositori
fileNotFoundOrDenied=No s'ha trobat el fitxer. No existeix o no teniu permís.
fileNotLoaded=No s'ha carregat el fitxer
fileNotSaved=No s'ha desat el fitxer
fileOpenLocation=Com desitja obrir aquest(s) fitxer(s)?
filetypeHtml=.html fa que el fitxer es desi en HTML amb una redirecció a un URL al núvol
filetypePng=.png fa que el fitxer es desi en PNG amb dades incrustades
filetypeSvg=.svg fa que el fitxer es desi en SVG amb dades incrustades
fileWillBeSavedInAppFolder={1} es desarà a la carpeta d'aplicacions.
fill=Farcit
fillColor=Color de farcit
filterCards=Filtra les targetes
find=Cerca
fit=Ajusta
fitContainer=Redimensiona el contenidor
fitIntoContainer=Ajusta'l al contenidor
fitPage=Ajusta la pàgina
fitPageWidth=Ajusta l'amplada de pàgina
fitTo=Ajusta a
fitToSheetsAcross=pàgines a través
fitToBy=per
fitToSheetsDown=pàgines cap a baix
fitTwoPages=Dues pàgines
fitWindow=Ajusta la finestra
flip=Inverteix
flipH=Gira horitzontalment
flipV=Gira verticalment
flowchart=Diagrama de flux
folder=Carpeta
font=Font
fontColor=Color de la font
fontFamily=Família de la font
fontSize=Mida de la font
forbidden=No esteu autoritzats a accedir a aquest fitxer
format=Format
formatPanel=Tauler de format
formatted=Formatat
formattedText=Text formatat
formatPng=PNG
formatGif=GIF
formatJpg=JPEG
formatPdf=PDF
formatSql=SQL
formatSvg=SVG
formatHtmlEmbedded=HTML
formatSvgEmbedded=SVG (amb XML)
formatVsdx=VSDX
formatVssx=VSSX
formatXmlPlain=XML (Simple)
formatXml=XML
forum=Fòrums de debat i ajuda
freehand=A mà alçada
fromTemplate=Des de la plantilla
fromTemplateUrl=Des de l'URL de la plantilla
fromText=Des del text
fromUrl=Des de l'URL
fromThisPage=Des d'aquesta pàgina
fullscreen=Pantalla completa
gap=Gap
gcp=GCP
general=General
getNotionChromeExtension=Get the Notion Chrome Extension
github=GitHub
gitlab=GitLab
gliffy=Gliffy
global=Global
googleDocs=Documents de Google
googleDrive=Google Drive
googleGadget=Google Gadget
googlePlus=Google+
googleSharingNotAvailable=Només està disponible compartir amb Google Drive. Feu clic a "Obra" més avall i compartiu-ho des del menú de més accions:
googleSlides=Presentacions de Google
googleSites=Google Sites
googleSheets=Fulls de càlcul de Google
gradient=Degradat
gradientColor=Color
grid=Quadrícula
gridColor=Color de la quadrícula
gridSize=Mida de la quadrícula
group=Agrupar
guides=Guies
hateApp=Odio draw.io
heading=Capçalera
height=Alçada
help=Ajuda
helpTranslate=Ajuda'ns a traduir aquesta aplicació
hide=Amaga
hideIt=Amaga {1}
hidden=Amagat
home=Inici
horizontal=Horitzontal
horizontalFlow=Flux horitzontal
horizontalTree=Arbre horitzontal
howTranslate=És correcta la traducció al teu idioma?
html=HTML
htmlText=Text HTML
id=ID
iframe=IFrame
ignore=Ignora
image=Imatge
imageUrl=URL de la imatge
images=Imatges
imagePreviewError=No s'ha pogut carregar la imatge per a la vista prèvia. Comprova l'URL.
imageTooBig=La imatge és massa grossa
imgur=Imgur
import=Importa
importFrom=Importa des de
includeCopyOfMyDiagram=Inclou una còpia del meu diagrama
increaseIndent=Augmenta el sagnat
decreaseIndent=Disminueix el sagnat
insert=Insereix
insertColumnBefore=Insereix una columna a l'esquerra
insertColumnAfter=Insereix una columna a la dreta
insertEllipse=Insereix una el·lipse
insertImage=Insereix una imatge
insertHorizontalRule=Insereix una regla horitzontal
insertLink=Insereix un enllaç
insertPage=Insereix una pàgina
insertRectangle=Insereix un rectangle
insertRhombus=Insereix un rombe
insertRowBefore=Insereix una fila al damunt
insertRowAfter=Insereix una fila a sota
insertText=Insereix text
inserting=S'està inserint
installApp=Instal·la l'aplicació
invalidFilename=Els noms dels diagrames no poden contenir els següents caràcters: \ / | : ; { < & + ? = "
invalidLicenseSeeThisPage=La llicència no és vàlida, consulteu aquesta <a target="_blank" href="https://support.draw.io/display/DFCS/Licensing+your+draw.io+plugin">pàgina</a>.
invalidInput=L'entrada no és vàlida
invalidName=El nom no és vàlid
invalidOrMissingFile=Fitxer  no vàlid o desconegut
invalidPublicUrl=URL públic no vàlid
isometric=Isomètric
ios=iOS
italic=Cursiva
kennedy=Kennedy
keyboardShortcuts=Dreceres de teclat
labels=Labels
layers=Capes
landscape=Horitzontal
language=Idioma
leanMapping=Mapatge pobre
lastChange=El darrer canvi s'ha efectuat fa {1}
lessThanAMinute=menys d'un minut
licensingError=Error de llicència
licenseHasExpired=La llicència per a {1} ha expirat el {2}. Clica aquí.
licenseRequired=This feature requires draw.io to be licensed.
licenseWillExpire=La llicència per a {1} expira el {2}. Clica aquí.
lineJumps=Salts de línia
linkAccountRequired=Si el diagrama no és públic es requereix un compte de Google per a veure l'enllaç.
linkText=Text de l'enllaç
list=Llista
minute=minut
minutes=minuts
hours=hores
days=dies
months=mesos
years=anys
restartForChangeRequired=Cal refrescar la pàgina perquè els canvis tinguin efecte.
laneColor=Color de la fila
lastModified=Modificat per darrera vegada
layout=Disseny
left=Esquerra
leftAlign=Alinea a l'esquerra
leftToRight=D'esquerra a dreta
libraryTooltip=Arrossega i amolla formes aquí o clica + per a inserir. Doble clic per editar.
lightbox=Lightbox
line=Línia
lineend=Final de la línia
lineheight=Alçada de la línia
linestart=Inici de la línia
linewidth=Amplada de la línia
link=Enllaç
links=Enllaços
loading=Carregant
lockUnlock=Bloquejar/Desbloquejar
loggedOut=Desconnectat
logIn=Iniciar sessió
loveIt=M'encanta {1}
lucidchart=Lucidchart
maps=Mapes
mathematicalTypesetting=Composició tipogràfica matemàtica
makeCopy=Fes una còpia
manual=Manual
merge=Merge
mermaid=Mermaid
microsoftOffice=Microsoft Office
microsoftExcel=Microsoft Excel
microsoftPowerPoint=Microsoft PowerPoint
microsoftWord=Microsoft Word
middle=Mig
minimal=Mínim
misc=Diversos
mockups=Esbossos
modificationDate=Data de modificació
modifiedBy=Modificat per
more=Més
moreResults=Més resultats
moreShapes=Més formes
move=Mou
moveToFolder=Mou a la carpeta
moving=Movent
moveSelectionTo=Mou la selecció a {1}
name=Nom
navigation=Navegació
network=Xarxa
networking=Connexió
new=Nou
newLibrary=Biblioteca nova
nextPage=Pàgina següent
no=No
noPickFolder=No, selecciona una carpeta
noAttachments=No s'han trobat arxius adjunts
noColor=Sense color
noFiles=No hi ha fitxers
noFileSelected=No s'ha seleccionat cap fitxer
noLibraries=No s'han trobat biblioteques
noMoreResults=No hi ha més resultats
none=Cap
noOtherViewers=No hi ha cap usuari més
noPlugins=No hi ha cap connector
noPreview=No hi ha vista prèvia
noResponse=El servidor no respon
noResultsFor=No s'ha trobat cap resultat per {1}
noRevisions=Sense revisions
noSearchResults=La s'ha trobat cap resultat
noPageContentOrNotSaved=No s'han trobat enllaços a la pàgina o encara no s'ha desat
normal=Normal
north=Nord
notADiagramFile=No és un fitxer de diagrama
notALibraryFile=No és un fitxer de biblioteca
notAvailable=No disponible
notAUtf8File=No és un fitxer UTF-8
notConnected=No connectat
note=Nota
notion=Notion
notSatisfiedWithImport=Not satisfied with the import?
notUsingService=No utilitzes {1}?
numberedList=Llista numerada
offline=Desconnectat
ok=D'acord
oneDrive=OneDrive
online=Connectat
opacity=Opacitat
open=Obre
openArrow=Obre la fletxa
openExistingDiagram=Obre un diagrama existent
openFile=Obre un fitxer
openFrom=Obre des de
openLibrary=Obre biblioteca
openLibraryFrom=Obre la biblioteca des de
openLink=Obre enllaç
openInNewWindow=Obre en una finestra nova
openInThisWindow=Obre en la finestra actual
openIt=Obre {1}
openRecent=Obre recent
openSupported=Els formats suportats inclouen els fitxers desats des del programari actual (.xml), .vsdx i .gliffy
options=Opcions
organic=Orgànic
orgChart=Org Chart
orthogonal=Ortogonal
otherViewer=un altre usuari
otherViewers=altres usuaris
outline=Contorn
oval=Oval
page=Pàgina
pageContent=Contingut de la pàgina
pageNotFound=No s'ha trobat la pàgina
pageWithNumber=Pàgina-{1}
pages=Pàgines
pageView=Vista de pàgina
pageSetup=Configuració de la pàgina
pageScale=Escala de la pàgina
pan=Panoràmica
panTooltip=Espai+Arrossegueu per fer panoràmica
paperSize=Mida del paper
pattern=Patró
parallels=Parallels
paste=Enganxa
pasteData=Paste Data
pasteHere=Enganxa aquí
pasteSize=Paste Size
pasteStyle=Enganxa l'estil
perimeter=Perímetre
permissionAnyone=Tothom pot editar
permissionAuthor=Només jo puc editar
pickFolder=Tria una carpeta
pickLibraryDialogTitle=Selecciona biblioteca
publicDiagramUrl=URL públic del diagrama
placeholders=Espais reservats
plantUml=PlantUML
plugins=Connectors
pluginUrl=URL del connector
pluginWarning=La pàgina sol·licita carregar els següents connectors:\n \n {1}\n \n Voleu carregar aquests connectors?\n \n Atenció: Només permeteu l'execució dels connectors si coneixeu les implicacions de seguretat.\n
plusTooltip=Feu clic per connectar i clonar (Ctrl+clic per clonar, Maj.+clic per connectar). Arrossegueu per connectar (Ctrl+arrossegar per clonar).
portrait=Vertical
position=Posició
posterPrint=Imprimeix cartell
preferences=Preferències
preview=Vista prèvia
previousPage=Pàgina anterior
print=Imprimeix
printAllPages=Imprimeix totes les pàgines
procEng=Enginyeria de processos
project=Projecta
priority=Prioritat
properties=Propietats
publish=Publica
quickStart=Vídeo d'inici ràpid
rack=Rack
radial=Radial
radialTree=Arbre radial
readOnly=Només lectura
reconnecting=Reconnectant
recentlyUpdated=Actualitzat recentment
recentlyViewed=Visitat recentment
rectangle=Rectangle
redirectToNewApp=Aquest fitxer va ser creat o modificat en una versió posterior d'aquesta aplicació. Ara hi sereu redirigits.
realtimeTimeout=Sembla que heu fet canvis mentre s'estava desconnectat. Malauradament, aquests canvis ara no es poden desar.
redo=Refés
refresh=Refresca
regularExpression=Expressió normal
relative=Relatiu
relativeUrlNotAllowed=No es permet un URL relatiu
rememberMe=Recorda'm
rememberThisSetting=Recorda la configuració actual
removeFormat=Esborra el format
removeFromGroup=Suprimeix del grup
removeIt=Suprimeix {1}
removeWaypoint=Suprimeix la coordenada
rename=Canvia el nom
renamed=Nom canviat
renameIt=Canvia el nom a {1}
renaming=Canviant el nom
replace=Canvia de lloc
replaceIt={1} ja existeix. Desitgeu substituir-lo?
replaceExistingDrawing=Substitueix el dibuix existent
required=requerit
reset=Restableix
resetView=Restableix la vista
resize=Ajusta la mida
resizeLargeImages=Voleu canviar la mida de les imatges grans per fer que l'aplicació funcioni més ràpidament?
retina=Retina
responsive=Receptiu
restore=Recupera
restoring=Recuperant
retryingIn=Reintentant en {1} segon(s)
retryingLoad=Càrrega fallida. Reintentant...
retryingLogin=Temps d'accés esgotat. Reintentant...
reverse=Revertir
revision=Revisió
revisionHistory=Historial de revisions
rhombus=Rhombus
right=Dreta
rightAlign=Alinea a la dreta
rightToLeft=De dreta a esquerra
rotate=Gira
rotateTooltip=Feu clic i arrossegueu per girar, feu clic per girar 90 graus
rotation=Rotació
rounded=Arrodonit
save=Desa
saveAndExit=Desa i surt
saveAs=Anomena i desa
saveAsXmlFile=Desar com a fitxer XML?
saved=S'ha desat
saveDiagramFirst=Deseu primer el diagrama
saveDiagramsTo=Desa els diagrames a
saveLibrary403=Permisos insuficients per editar aquesta biblioteca
saveLibrary500=Hi ha hagut un error desant la biblioteca
saveLibraryReadOnly=Could not save library while read-only mode is active
saving=S'està desant
scratchpad=Scratchpad
scrollbars=Barres de desplaçament
search=Cerca
searchShapes=Cerca formes
selectAll=Selecciona-ho tot
selectionOnly=Selecciona només
selectCard=Selecciona una targeta
selectEdges=Selecciona les vores
selectFile=Selecciona un fitxer
selectFolder=Selecciona una carpeta
selectFont=Selecciona una font
selectNone=No seleccionis res
selectTemplate=Selecciona una plantilla
selectVertices=Selecciona els vèrtexs
sendBackward=Send Backward
sendMessage=Envia
sendYourFeedback=Envieu els vostres comentaris
serviceUnavailableOrBlocked=El servei no està disponible o està bloquejat
sessionExpired=La sessió ha caducat. Refresqueu la finestra del navegador.
sessionTimeoutOnSave=La sessió ha caducat i us heu desconnectat de Google Drive. Premeu "D'acord" per accedir-hi i desar.
setAsDefaultStyle=Estableix com estil predeterminat
shadow=Ombra
shape=Forma
shapes=Formes
share=Comparteix
shareCursor=Share Mouse Cursor
shareLink=Enllaç per a l'edició compartida
sharingAvailable=Sharing available for Google Drive and OneDrive files.
sharp=Angulós
show=Mostra
showRemoteCursors=Show Remote Mouse Cursors
showStartScreen=Mostra la pantalla d'inici
sidebarTooltip=Feu clic per expandir. Arrossegueu i deixeu anar formes al diagrama. Feu Maj.+clic per canviar la selecció. Alt+clic per inserir i connectar.
signs=Signes
signOut=Tanca la sessió
simple=Simple
simpleArrow=Fletxa simple
simpleViewer=Visualitzador simple
size=Mida
sketch=Sketch
snapToGrid=Snap to Grid
solid=Continu
sourceSpacing=Espaiat original
south=Sud
software=Software
space=Espai
spacing=Espaiat
specialLink=Enllaç especial
standard=Estàndard
startDrawing=Comença a dibuixar
stopDrawing=Para de dibuixar
starting=Iniciant
straight=Recte
strikethrough=Ratllat
strokeColor=Color de la línia
style=Estil
subscript=Subíndex
summary=Resum
superscript=Superíndex
support=Ajuda
swimlaneDiagram=Swimlane Diagram
sysml=SysML
tags=Etiquetes
table=Taula
tables=Taules
takeOver=Preneu el control
targetSpacing=Espaiat de l'objectiu
template=Plantilla
templates=Plantilles
text=Text
textAlignment=Alineació del text
textOpacity=Opacitat del text
theme=Tema
timeout=Temps límit
title=Títol
to=a
toBack=Vés enrere
toFront=Vés endavant
tooLargeUseDownload=Too large, use download instead.
toolbar=Barra d'eines
tooltips=Consells d'eines
top=Dalt
topAlign=Alinea a dalt
topLeft=Dalt a l'esquerra
topRight=Dalt a la dreta
transparent=Transparent
transparentBackground=Fons transparent
trello=Trello
tryAgain=Torna a provar-ho
tryOpeningViaThisPage=Prova d'obrir-lo via aquesta pàgina
turn=Gira 90°
type=Escriu
twitter=Twitter
uml=UML
underline=Subratlla
undo=Desfés
ungroup=Desagrupa
unmerge=Unmerge
unsavedChanges=Canvis no desats
unsavedChangesClickHereToSave=Canvis no desats. Clica aquí per desar.
untitled=Sense títol
untitledDiagram=Diagrama sense títol
untitledLayer=Capa sense títol
untitledLibrary=Biblioteca sense títol
unknownError=Error desconegut
updateFile=Actualitza {1}
updatingDocument=S'està actualitzant el document. Espereu...
updatingPreview=S'està actualitzant la vista prèvia. Espereu...
updatingSelection=S'està actualitzant la selecció. Espereu...
upload=Carrega
url=URL
useOffline=Feu-ho servir fora de línia
useRootFolder=Voleu fer servir la carpeta arrel?
userManual=Manual d'usuari
vertical=Vertical
verticalFlow=Flux vertical
verticalTree=Arbre vertical
view=Vista
viewerSettings=Paràmetres del visualitzador
viewUrl=Enllaç a vista: {1}
voiceAssistant=Assistent de veu (beta)
warning=Atenció
waypoints=Coordenades
west=Oest
width=Amplada
wiki=Wiki
wordWrap=Ajust de línia
writingDirection=Direcció de l'escriptura
yes=Sí
yourEmailAddress=L'adreça de correu electrònic
zoom=Amplia
zoomIn=Apropa
zoomOut=Allunya
basic=Bàsic
businessprocess=Processos empresarials
charts=Gràfics
engineering=Enginyeria
flowcharts=Diagrames de flux
gmdl=Disseny material
mindmaps=Mapes mentals
mockups=Esbossos
networkdiagrams=Diagrames de xarxa
nothingIsSelected=No hi ha res seleccionat
other=Altres
softwaredesign=Disseny de programari
venndiagrams=Diagrames de Venn
webEmailOrOther=Web, e-mail o qualsevol altra adreça d'internet
webLink=Enllaç web
wireframes=Esquelets
property=Propietat
value=Valor
showMore=Mostra més
showLess=Mostra menys
myDiagrams=Els meus diagrames
allDiagrams=Tots els diagrames
recentlyUsed=Usats recentment
listView=Visualització de llista
gridView=Visualització en graella
resultsFor=Resultats per '{1}'
oneDriveCharsNotAllowed=Els caràcters següents no estan permesos: ~ " # %  * : < > ? / \ { | }
oneDriveInvalidDeviceName=El nom de dispositiu especificat no és vàlid
officeNotLoggedOD=No heu entrat a OneDrive. Obriu el quadre de tasques draw.io i inicieu la sessió primer.
officeSelectSingleDiag=Seleccioneu un únic diagrama draw.io, sense altres continguts.
officeSelectDiag=Seleccioneu un diagrama draw.io.
officeCannotFindDiagram=No s'ha trobat pogut trobar un diagrama draw.io a la selecció
noDiagrams=No s'ha trobat cap diagrama
authFailed=Ha fallat l'autenticació
officeFailedAuthMsg=No s'ha pogut autenticar correctament l'usuari ni autoritzar l'aplicació.
convertingDiagramFailed=Ha fallat la conversió del diagrama
officeCopyImgErrMsg=A causa d'algunes limitacions en l'aplicació, no s'ha pogut inserir la imatge. Proveu de copiar manualment la imatge i enganxar-la al document.
insertingImageFailed=La inserció de la imatge ha fallat
officeCopyImgInst=Instruccions: feu clic amb el botó dret a la imatge de sota. Seleccioneu "Copia la imatge" al menú contextual. A continuació, al document, feu clic amb el botó dret i seleccioneu "Enganxa" al menú contextual.
folderEmpty=La carpeta està buida
recent=Recent
sharedWithMe=Compartit amb mi
sharepointSites=Llocs Sharepoint
errorFetchingFolder=S'ha produït un error en recuperar els elements de la carpeta
errorAuthOD=S'ha produït un error en autenticar-se a OneDrive
officeMainHeader=Afegeix esquemes draw.io al document.
officeStepsHeader=Aquest complement realitza els passos següents:
officeStep1=Es connecta a Microsoft OneDrive, Google Drive o al vostre dispositiu.
officeStep2=Seleccioneu un diagrama de draw.io:
officeStep3=Insereix el diagrama al document.
officeAuthPopupInfo=Completeu l'autenticació a la finestra emergent.
officeSelDiag=Seleccioneu un diagrama de draw.io
files=Fitxers
shared=Compartit
sharepoint=Sharepoint
officeManualUpdateInst=Instruccions: copieu el diagrama de draw.io del document. A continuació, al quadre següent, feu clic amb el botó dret i seleccioneu "Enganxa" al menú contextual.
officeClickToEdit=Feu clic a la icona per començar a editar:
pasteDiagram=Enganxa el diagrama de draw.io aquí
connectOD=Connecta’t a OneDrive
selectChildren=Selecciona els fills
selectSiblings=Selecciona els germans
selectParent=Selecciona el pare
selectDescendants=Selecciona els descendents
lastSaved=Desat per última vegada fa {1}
resolve=Resol
reopen=Torna a obrir
showResolved=Mostra els resolts
reply=Respon
objectNotFound=No s'ha trobat l'objecte
reOpened=Tornat a obrir
markedAsResolved=S'ha marcat com a resolt
noCommentsFound=No s'ha trobat cap comentari
comments=Comentaris
timeAgo=Fa {1}
confluenceCloud=Confluence Cloud
libraries=Biblioteques
confAnchor=Ancoratge a la pàgina de Confluence
confTimeout=La connexió ha expirat
confSrvTakeTooLong=El servidor de {1} triga massa temps a respondre.
confCannotInsertNew=No es pot inserir el diagrama draw.io a una pàgina nova de Confluència
confSaveTry=Deseu la pàgina i torneu-ho a provar.
confCannotGetID=No s'ha pogut determinar l'ID de pàgina
confContactAdmin=Poseu-vos en contacte amb l'administrador de Confluence.
readErr=Error de lectura
editingErr=Error d'edició
confExtEditNotPossible=Aquest diagrama no es pot editar externament. Proveu d'editar-lo mentre editeu la pàgina
confEditedExt=S'ha editat el diagrama o la pàgina externament
diagNotFound=No s'ha trobat el diagrama
confEditedExtRefresh=S'ha editat el diagrama o la pàgina externament. Si us plau refresqueu la pàgina.
confCannotEditDraftDelOrExt=No es poden editar esquemes d'una pàgina d'esborrany, si el diagrama s'ha suprimit de la pàgina o si el diagrama s'ha editat externament. Comproveu la pàgina.
retBack=Torna
confDiagNotPublished=El diagrama no pertany a cap pàgina publicada
createdByDraw=Creat per draw.io
filenameShort=El nom del fitxer és massa curt
invalidChars=Caràcters no vàlids
alreadyExst={1} ja existeix
draftReadErr=Error de lectura de l'esborrany
diagCantLoad=No s'ha pogut carregar el diagrama
draftWriteErr=Error d'escriptura de l'esborrany
draftCantCreate=No s'ha pogut crear l'esborrany
confDuplName=S'ha detectat que el nom de l'esquema està duplicat. Trieu un altre nom.
confSessionExpired=Sembla que la vostra sessió ha caducat. Torneu a iniciar la sessió de nou per continuar treballant.
login=Inicia la sessió
drawPrev=Previsualització del draw.io
drawDiag=Diagrama del draw.io
invalidCallFnNotFound=Invalid Call: {1} not found
invalidCallErrOccured=Invalid Call: An error occurred, {1}
anonymous=Anònim
confGotoPage=Go to containing page
showComments=Mostra els comentaris
confError=Error: {1}
gliffyImport=Importa de Gliffy
gliffyImportInst1=Click the "Start Import" button to import all Gliffy diagrams to draw.io.
gliffyImportInst2=Please note that the import procedure will take some time and the browser window must remain open until the import is completed.
startImport=Inicia la importació
drawConfig=Configuració del draw.io
customLib=Biblioteques personalitzades
customTemp=Plantilles personalitzades
pageIdsExp=Page IDs Export
drawReindex=draw.io re-indexing (beta)
working=S'està treballant
drawConfigNotFoundInst=draw.io Configuration Space (DRAWIOCONFIG) does not exist. This space is needed to store draw.io configuration files and custom libraries/templates.
createConfSp=Create Config Space
unexpErrRefresh=Unexpected error, please refresh the page and try again.
configJSONInst=Write draw.io JSON configuration in the editor below then click save. If you need help, please refer to
thisPage=aquesta pàgina
curCustLib=Biblioteques personalitzades actuals
libName=Nom de la biblioteca
action=Acció
drawConfID=draw.io Config ID
addLibInst=Feu clic al botó "Afegeix una biblioteca" per pujar una nova biblioteca.
addLib=Afegeix una biblioteca
customTempInst1=Custom templates are draw.io diagrams saved in children pages of
customTempInst2=For more details, please refer to
tempsPage=Pàgina de plantilles
pageIdsExpInst1=Select export target, then click the "Start Export" button to export all pages IDs.
pageIdsExpInst2=Please note that the export procedure will take some time and the browser window must remain open until the export is completed.
startExp=Inicia l'exportació
refreshDrawIndex=Refresh draw.io Diagrams Index
reindexInst1=Click the "Start Indexing" button to refresh draw.io diagrams index.
reindexInst2=Please note that the indexing procedure will take some time and the browser window must remain open until the indexing is completed.
startIndexing=Start Indexing
confAPageFoundFetch=Page "{1}" found. Fetching
confAAllDiagDone=All {1} diagrams processed. Process finished.
confAStartedProcessing=Started processing page "{1}"
confAAllDiagInPageDone=All {1} diagrams in page "{2}" processed successfully.
confAPartialDiagDone={1} out of {2} {3} diagrams in page "{4}" processed successfully.
confAUpdatePageFailed=Updating page "{1}" failed.
confANoDiagFoundInPage=No {1} diagrams found in page "{2}".
confAFetchPageFailed=Fetching the page failed.
confANoDiagFound=No {1} diagrams found. Process finished.
confASearchFailed=Searching for {1} diagrams failed. Please try again later.
confAGliffyDiagFound={2} diagram "{1}" found. Importing
confAGliffyDiagImported={2} diagram "{1}" imported successfully.
confASavingImpGliffyFailed=Saving imported {2} diagram "{1}" failed.
confAImportedFromByDraw=Imported from "{1}" by draw.io
confAImportGliffyFailed=Importing {2} diagram "{1}" failed.
confAFetchGliffyFailed=Fetching {2} diagram "{1}" failed.
confACheckBrokenDiagLnk=Checking for broken diagrams links.
confADelDiagLinkOf=Deleting diagram link of "{1}"
confADupLnk=(duplicate link)
confADelDiagLnkFailed=Deleting diagram link of "{1}" failed.
confAUnexpErrProcessPage=Unexpected error during processing the page with id: {1}
confADiagFoundIndex=Diagram "{1}" found. Indexing
confADiagIndexSucc=Diagram "{1}" indexed successfully.
confAIndexDiagFailed=Indexing diagram "{1}" failed.
confASkipDiagOtherPage=Skipped "{1}" as it belongs to another page!
confADiagUptoDate=Diagram "{1}" is up to date.
confACheckPagesWDraw=Checking pages having draw.io diagrams.
confAErrOccured=S'ha produït un error.
savedSucc=S'ha desat correctament
confASaveFailedErr=S'ha produït un error en desar (error inesperat)
character=Character
confAConfPageDesc=This page contains draw.io configuration file (configuration.json) as attachment
confALibPageDesc=This page contains draw.io custom libraries as attachments
confATempPageDesc=This page contains draw.io custom templates as attachments
working=S'està treballant
confAConfSpaceDesc=This space is used to store draw.io configuration files and custom libraries/templates
confANoCustLib=No hi ha biblioteques personalitzades
delFailed=Ha fallat l'esborrat
showID=Mostra l'identificador
confAIncorrectLibFileType=El tipus de fitxer no és correcte. Les biblioteques haurien de ser fitxers XML.
uploading=S'està pujant
confALibExist=La biblioteca ja existeix
confAUploadSucc=S'ha pujat correctament
confAUploadFailErr=S'ha produït un error en la pujada (error inesperat)
hiResPreview=Previsualització en alta definició
officeNotLoggedGD=You are not logged in to Google Drive. Please open draw.io task pane and login first.
officePopupInfo=Please complete the process in the pop-up window.
pickODFile=Seleccioneu el fitxer de OneDrive
createODFile=Create OneDrive File
pickGDriveFile=Seleccioneu el fitxer de Google Drive
createGDriveFile=Create Google Drive File
pickDeviceFile=Seleccioneu el fitxer del dispositiu
vsdNoConfig=No s'ha configurat "vsdurl"
ruler=Regle
units=Unitats
points=Punts
inches=Polzades
millimeters=Mil·límetres
confEditDraftDelOrExt=This diagram is in a draft page, is deleted from the page, or is edited externally. It will be saved as a new attachment version and may not be reflected in the page.
confDiagEditedExt=Diagram is edited in another session. It will be saved as a new attachment version but the page will show other session's modifications.
macroNotFound=Macro Not Found
confAInvalidPageIdsFormat=Incorrect Page IDs file format
confACollectingCurPages=Collecting current pages
confABuildingPagesMap=Building pages mapping
confAProcessDrawDiag=Started processing imported draw.io diagrams
confAProcessDrawDiagDone=Finished processing imported draw.io diagrams
confAProcessImpPages=Started processing imported pages
confAErrPrcsDiagInPage=Error processing draw.io diagrams in page "{1}"
confAPrcsDiagInPage=Processing draw.io diagrams in page "{1}"
confAImpDiagram=Importing diagram "{1}"
confAImpDiagramFailed=Importing diagram "{1}" failed. Cannot find its new page ID. Maybe it points to a page that is not imported.
confAImpDiagramError=Error importing diagram "{1}". Cannot fetch or save the diagram. Cannot fix this diagram links.
confAUpdateDgrmCCFailed=Updating link to diagram "{1}" failed.
confImpDiagramSuccess=Updating diagram "{1}" done successfully.
confANoLnksInDrgm=No links to update in: {1}
confAUpdateLnkToPg=Updated link to page: "{1}" in diagram: "{2}"
confAUpdateLBLnkToPg=Updated lightbox link to page: "{1}" in diagram: "{2}"
confAUpdateLnkBase=Updated base URL from: "{1}" to: "{2}" in diagram: "{3}"
confAPageIdsImpDone=Page IDs Import finished
confAPrcsMacrosInPage=Processing draw.io macros in page "{1}"
confAErrFetchPage=Error fetching page "{1}"
confAFixingMacro=Fixing macro of diagram "{1}"
confAErrReadingExpFile=Error reading export file
confAPrcsDiagInPageDone=Processing draw.io diagrams in page "{1}" finished
confAFixingMacroSkipped=Fixing macro of diagram "{1}" failed. Cannot find its new page ID. Maybe it points to a page that is not imported.
pageIdsExpTrg=Export target
confALucidDiagImgImported={2} diagram "{1}" image extracted successfully
confASavingLucidDiagImgFailed=Extracting {2} diagram "{1}" image failed
confGetInfoFailed=Fetching file info from {1} failed.
confCheckCacheFailed=Cannot get cached file info.
confReadFileErr=Cannot read "{1}" file from {2}.
confSaveCacheFailed=Unexpected error. Cannot save cached file
orgChartType=Org Chart Type
linear=Linear
hanger2=Hanger 2
hanger4=Hanger 4
fishbone1=Fishbone 1
fishbone2=Fishbone 2
1ColumnLeft=Single Column Left
1ColumnRight=Single Column Right
smart=Smart
parentChildSpacing=Parent Child Spacing
siblingSpacing=Sibling Spacing
confNoPermErr=Sorry, you don't have enough permissions to view this embedded diagram from page {1}
copyAsImage=Copy as Image
lucidImport=Lucidchart Import
lucidImportInst1=Click the "Start Import" button to import all Lucidchart diagrams.
installFirst=Please install {1} first
drawioChromeExt=draw.io Chrome Extension
loginFirstThen=Please login to {1} first, then {2}
errFetchDocList=Error: Couldn't fetch documents list
builtinPlugins=Built-in Plugins
extPlugins=External Plugins
backupFound=No s'ha trobat el fitxer de còpia de seguretat
chromeOnly=This feature only works in Google Chrome
msgDeleted=This message has been deleted
confAErrFetchDrawList=Error fetching diagrams list. Some diagrams are skipped.
confAErrCheckDrawDiag=Cannot check diagram {1}
confAErrFetchPageList=Error fetching pages list
confADiagImportIncom={1} diagram "{2}" is imported partially and may have missing shapes
invalidSel=La selecció no és vàlida
diagNameEmptyErr=El diagrama ha de tenir un nom
openDiagram=Obre un diagrama
newDiagram=Diagrama nou
editable=Editable
confAReimportStarted=Re-import {1} diagrams started...
spaceFilter=Filter by spaces
curViewState=Current Viewer State
pageLayers=Page and Layers
customize=Customize
firstPage=First Page (All Layers)
curEditorState=Current Editor State
noAnchorsFound=No anchors found
attachment=Attachment
curDiagram=Current Diagram
recentDiags=Recent Diagrams
csvImport=CSV Import
chooseFile=Choose a file...
choose=Choose
gdriveFname=Google Drive filename
widthOfViewer=Width of the viewer (px)
heightOfViewer=Height of the viewer (px)
autoSetViewerSize=Automatically set the size of the viewer
thumbnail=Thumbnail
prevInDraw=Preview in draw.io
onedriveFname=OneDrive filename
diagFname=Diagram filename
diagUrl=Diagram URL
showDiag=Show Diagram
diagPreview=Diagram Preview
csvFileUrl=CSV File URL
generate=Generate
selectDiag2Insert=Please select a diagram to insert it.
errShowingDiag=Unexpected error. Cannot show diagram
noRecentDiags=No recent diagrams found
fetchingRecentFailed=Failed to fetch recent diagrams
useSrch2FindDiags=Use the search box to find draw.io diagrams
cantReadChckPerms=Cannot read the specified diagram. Please check you have read permission on that file.
cantFetchChckPerms=Cannot fetch diagram info. Please check you have read permission on that file.
searchFailed=Searching failed. Please try again later.
plsTypeStr=Please type a search string.
unsupportedFileChckUrl=Unsupported file. Please check the specified URL
diagNotFoundChckUrl=Diagram not found or cannot be accessed. Please check the specified URL
csvNotFoundChckUrl=CSV file not found or cannot be accessed. Please check the specified URL
cantReadUpload=Cannot read the uploaded diagram
select=Select
errCantGetIdType=Unexpected Error: Cannot get content id or type.
errGAuthWinBlocked=Error: Google Authentication window blocked
authDrawAccess=Authorize draw.io to access {1}
connTimeout=The connection has timed out
errAuthSrvc=Error authenticating to {1}
plsSelectFile=Please select a file
mustBgtZ={1} must be greater than zero
cantLoadPrev=Cannot load file preview.
errAccessFile=Error: Access Denied. You do not have permission to access "{1}".
noPrevAvail=No preview is available.
personalAccNotSup=Personal accounts are not supported.
errSavingTryLater=Error occurred during saving, please try again later.
plsEnterFld=Please enter {1}
invalidDiagUrl=Invalid Diagram URL
unsupportedVsdx=Unsupported vsdx file
unsupportedImg=Unsupported image file
unsupportedFormat=Unsupported file format
plsSelectSingleFile=Please select a single file only
attCorrupt=Attachment file "{1}" is corrupted
loadAttFailed=Failed to load attachment "{1}"
embedDrawDiag=Embed draw.io Diagram
addDiagram=Add Diagram
embedDiagram=Embed Diagram
editOwningPg=Edit owning page
deepIndexing=Deep Indexing (Index diagrams that aren't used in any page also)
confADeepIndexStarted=Deep Indexing Started
confADeepIndexDone=Deep Indexing Done
officeNoDiagramsSelected=No diagrams found in the selection
officeNoDiagramsInDoc=No diagrams found in the document
officeNotSupported=This feature is not supported in this host application
someImagesFailed={1} out of {2} failed due to the following errors
importingNoUsedDiagrams=Importing {1} Diagrams not used in pages
importingDrafts=Importing {1} Diagrams in drafts
processingDrafts=Processing drafts
updatingDrafts=Updating drafts
updateDrafts=Update drafts
notifications=Notifications
drawioImp=draw.io Import
confALibsImp=Importing draw.io Libraries
confALibsImpFailed=Importing {1} library failed
contributors=Contributors
drawDiagrams=draw.io Diagrams
errFileNotFoundOrNoPer=Error: Access Denied. File not found or you do not have permission to access "{1}" on {2}.
confACheckPagesWEmbed=Checking pages having embedded draw.io diagrams.
confADelBrokenEmbedDiagLnk=Removing broken embedded diagram links
replaceWith=Replace with
replaceAll=Replace All
confASkipDiagModified=Skipped "{1}" as it was modified after initial import
replFind=Replace/Find
matchesRepl={1} matches replaced
draftErrDataLoss=An error occurred while reading the draft file. The diagram cannot be edited now to prevent any possible data loss. Please try again later or contact support.
ibm=IBM
linkToDiagramHint=Add a link to this diagram. The diagram can only be edited from the page that owns it.
linkToDiagram=Link to Diagram
changedBy=Changed By
lastModifiedOn=Last modified on
searchResults=Search Results
showAllTemps=Show all templates
notionToken=Notion Token
selectDB=Select Database
noDBs=No Databases
diagramEdited={1} diagram "{2}" edited
confDraftPermissionErr=Draft cannot be written. Do you have attachment write/read permission on this page?
confDraftTooBigErr=Draft size is too large. Pease check "Attachment Maximum Size" of "Attachment Settings" in Confluence Configuration?
owner=Owner
repository=Repository
branch=Branch
meters=Meters
teamsNoEditingMsg=Editor functionality is only available in Desktop environment (in MS Teams App or a web browser)
contactOwner=Contact Owner
viewerOnlyMsg=You cannot edit the diagrams in the mobile platform, please use the desktop client or a web browser.
website=Website
check4Updates=Check for updates
attWriteFailedRetry={1}: Attachment write failed, trying again in {2} seconds...
confPartialPageList=We couldn't fetch all pages due to an error in Confluence. Continuing using {1} pages only.
spellCheck=Spell checker
noChange=No Change
lblToSvg=Convert labels to SVG
txtSettings=Text Settings
LinksLost=Links will be lost
arcSize=Arc Size
editConnectionPoints=Edit Connection Points
notInOffline=Not supported while offline
notInDesktop=Not supported in Desktop App
confConfigSpaceArchived=draw.io Configuration space (DRAWIOCONFIG) is archived. Please restore it first.
confACleanOldVerStarted=Cleaning old diagram draft versions started
confACleanOldVerDone=Cleaning old diagram draft versions finished
confACleaningFile=Cleaning diagram draft "{1}" old versions
confAFileCleaned=Cleaning diagram draft "{1}" done
confAFileCleanFailed=Cleaning diagram draft "{1}" failed
confACleanOnly=Clean Diagram Drafts Only
brush=Brush
openDevTools=Open Developer Tools
autoBkp=Automatic Backup
confAIgnoreCollectErr=Ignore collecting current pages errors
drafts=Drafts
draftSaveInt=Draft save interval [sec] (0 to disable)
pluginsDisabled=External plugins disabled.