Skip to main content
aboutsummaryrefslogtreecommitdiffstats
blob: 31948993393f73e201c003b3b98088fa459d4f4a (plain) (blame)
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
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
# ====================================================================
# Copyright (c) 2007, 2023 THALES GLOBAL SERVICES.
# This program and the accompanying materials
# are made available under the terms of the Eclipse Public License 2.0
# which accompanies this distribution, and is available at
# https://www.eclipse.org/legal/epl-2.0/
#
# SPDX-License-Identifier: EPL-2.0
#
# Contributors:
#    Obeo - initial API and implementation
#    Felix Dorner <felix.dorner@gmail.com> - Bug 533002
# ====================================================================

pluginName = Sirius Diagram Specification Editor
providerName = Eclipse Modeling Project

## NOT GENERATED ##
editorName=Sirius Diagram Editing

# Property Sheet
tab.appearance=Appearance
tab.diagram=Rulers & Grid
tab.domain=Core
tab.semantic=Semantic
tab.extension=Extension
tab.semantic.extension=Semantic & Extension
tab.style=Style
tab.misc=Misc
tab.filters=Filters
tab.validation=Validation
tab.behaviors=Behaviors
tab.documentation=Documentation
# Preferences
preferences.general=Sirius Diagram
preferences.appearance=Appearance
preferences.connections=Connections
preferences.printing=Printing
preferences.rulersAndGrid=Rulers & Grid
preferences.pathmaps=Path Maps

context.description=Sirius Diagram Editing
context.name=In Sirius Diagram Editor
newWizardName=Sirius Diagram
newWizardDesc=Creates Sirius diagram.

initDiagramActionLabel=Initialize airview diagram 
loadResourceActionLabel=Load Resource...


update.diagram.name=Update Sirius diagram
update.diagram.description=Perform Sirius diagram update

#For size max for diagram image export
_Pref_DiagramExportSizeMax = 4125000

action.deleteFromDiagram.label = Delete from Diagram
action.find.label = Find
action.quickSearch.label = Quick search
category.sirius.name = Sirius
command.bringToFront.name = Bring to Front
command.bringForward.name = Bring Forward
command.deleteFromDiagram.name = Delete From Diagram
command.deselectAll.name = Deselect all
command.format.name = Format
command.findInModel.description = Find in model
command.findInModel.name = Find Element
command.hideElement.description = Hide the element
command.hideElement.name = Hide element
command.hideLabel.description = Hide the label of the element
command.hideLabel.name = Hide label
command.launchRules.description = Launch all rules
command.launchRules.name = Launch Rules
command.pinElements.description = Mark diagram elements as pinned
command.pinElements.name = Pin elements
command.quickOutline.name = Quick outline
command.order.name = Order
command.refresh.description = Refresh the element
command.refresh.name = Refresh
command.removeBendpoints.label = Remove Bend-points
command.resetOrigin.label = Reset Origin
command.revealAllElements.name = Reveal all elements
command.revealHiddenElements.description = Reveal all the elements
command.revealHiddenElements.name = Reveal hidden elements
command.sendToBack.name = Send to Back
command.sendBackward.name = Send Backward
command.showLabel.description = Show the label of the element
command.showLabel.name = Show label
command.straightenTo.label = Straighten to
command.synchronizedDiagram.name = Synchronized Diagram
command.unpinElements.description = Mark diagram elements as unpinned
command.unpinElements.name = Unpin elements
command.validateDiagram.label = Validate diagram
command.validateDiagram.name = Validate Diagram
command.setLinkNoteTarget.label = Set target representation ...
command.setLinkNoteTarget.name = Set target representation
extension-point.diagramIdentifierProvider.name = org.eclipse.sirius.diagram.ui.diagramIdentifierProvider
extension-point.formatDataManager.name = org.eclipse.sirius.diagram.ui.formatDataManager
extension-point.imageSelector.name = org.eclipse.sirius.diagram.ui.imageSelector
extension-point.layoutDataManager.name = org.eclipse.sirius.diagram.ui.layoutDataManager
extension-point.layoutProvider.name = org.eclipse.sirius.diagram.ui.layoutProvider
extension-point.styleConfigurationProvider..name = org.eclipse.sirius.diagram.ui.styleConfigurationProvider
extension-point.viewOrderingProvider.name = org.eclipse.sirius.diagram.ui.viewOrderingProvider
extension-point.tabbarContributor.name = Tabbar Contributor Extension
extension.diagramProblems.name = Sirius diagram editor Plugin problems
extension-point.customLayoutAlgorithmProvider.name = org.eclipse.sirius.diagram.ui.api.layout.customLayoutAlgorithmProvider
menu.find.label = Find
menu.showHide.label = Show/Hide

palettetool.linkNote.description = Create a Note that references another representation
palettetool.linkNote.label = Representation Link
palettetool.linkNote.elementTypeName=LinkNote
palettetool.linkNote.deletedLabel=Broken representation link
## GENERATED ##

_UI_CreateChild_text = {0}
_UI_CreateChild_text2 = {1} {0}
_UI_CreateChild_text3 = {1}
_UI_CreateChild_tooltip = Create New {0} Under {1} Feature
_UI_CreateChild_description = Create a new child of type {0} for the {1} feature of the selected {2}.
_UI_CreateSibling_description = Create a new sibling of type {0} for the selected {2}, under the {1} feature of their parent.

_UI_PropertyDescriptor_description = The {0} of the {1}

_UI_DDiagram_type = DDiagram
_UI_DSemanticDiagram_type = DSemantic Diagram
_UI_DDiagramElement_type = DDiagram Element
_UI_GraphicalFilter_type = Graphical Filter
_UI_HideFilter_type = Hide Filter
_UI_HideLabelFilter_type = Hide Label Filter
_UI_FoldingPointFilter_type = Folding Point Filter
_UI_FoldingFilter_type = Folding Filter
_UI_AppliedCompositeFilters_type = Applied Composite Filters
_UI_AbsoluteBoundsFilter_type = Absolute Bounds Filter
_UI_AbstractDNode_type = Abstract DNode
_UI_DNode_type = DNode
_UI_DDiagramElementContainer_type = DDiagram Element Container
_UI_DNodeContainer_type = DNode Container
_UI_DNodeList_type = DNode List
_UI_DNodeListElement_type = DNode List Element
_UI_DEdge_type = DEdge
_UI_NodeStyle_type = Node Style
_UI_Dot_type = Dot
_UI_GaugeSection_type = Gauge Section
_UI_ContainerStyle_type = Container Style
_UI_FlatContainerStyle_type = Flat Container Style
_UI_ShapeContainerStyle_type = Shape Container Style
_UI_Square_type = Square
_UI_Ellipse_type = Ellipse
_UI_Lozenge_type = Diamond
_UI_BundledImage_type = Basic Shape
_UI_WorkspaceImage_type = Image
_UI_CustomStyle_type = Custom Style
_UI_EdgeTarget_type = Edge Target
_UI_EdgeStyle_type = Edge Style
_UI_GaugeCompositeStyle_type = Gauge Composite Style
_UI_BorderedStyle_type = Bordered Style
_UI_Note_type = Note
_UI_FilterVariableHistory_type = Filter Variable History
_UI_FilterVariableValue_type = Filter Variable Value
_UI_CollapseFilter_type = Collapse Filter
_UI_IndirectlyCollapseFilter_type = Indirectly Collapse Filter
_UI_BeginLabelStyle_type = Begin Label Style
_UI_CenterLabelStyle_type = Center Label Style
_UI_EndLabelStyle_type = End Label Style
_UI_BracketEdgeStyle_type = Bracket Edge Style
_UI_ComputedStyleDescriptionRegistry_type = Computed Style Description Registry
_UI_DiagramElementMapping2ModelElement_type = Diagram Element Mapping2 Model Element
_UI_ModelElement2ViewVariable_type = Model Element2 View Variable
_UI_ViewVariable2ContainerVariable_type = View Variable2 Container Variable
_UI_ContainerVariable2StyleDescription_type = Container Variable2 Style Description
_UI_DragAndDropTarget_type = Drag And Drop Target
_UI_DiagramDescription_type = Diagram Description
_UI_DiagramImportDescription_type = Diagram Import
_UI_DiagramExtensionDescription_type = Diagram Extension
_UI_DiagramElementMapping_type = Diagram Element
_UI_AbstractNodeMapping_type = Abstract Node
_UI_NodeMapping_type = Node
_UI_ContainerMapping_type = Container
_UI_NodeMappingImport_type = Node Import
_UI_ContainerMappingImport_type = Container Import
_UI_EdgeMapping_type = Edge
_UI_IEdgeMapping_type = IEdge Mapping
_UI_EdgeMappingImport_type = Edge Import
_UI_ConditionalNodeStyleDescription_type = Conditional Style
_UI_ConditionalEdgeStyleDescription_type = Conditional Style
_UI_ConditionalContainerStyleDescription_type = Conditional Style
_UI_Layout_type = Layout
_UI_OrderedTreeLayout_type = Ordered Tree Layout
_UI_CompositeLayout_type = Composite Layout
_UI_MappingBasedDecoration_type = Mapping Based Decoration
_UI_Layer_type = Layer
_UI_AdditionalLayer_type = Additional Layer
_UI_DragAndDropTargetDescription_type = Drag And Drop Target
_UI_BorderedStyleDescription_type = Bordered Style
_UI_NodeStyleDescription_type = Node Style
_UI_CustomStyleDescription_type = Custom Style
_UI_SquareDescription_type = Square
_UI_LozengeNodeDescription_type = Diamond
_UI_EllipseNodeDescription_type = Ellipse
_UI_BundledImageDescription_type = Basic Shape
_UI_NoteDescription_type = Note
_UI_DotDescription_type = Dot
_UI_GaugeCompositeStyleDescription_type = Gauge
_UI_GaugeSectionDescription_type = Gauge Section
_UI_SizeComputationContainerStyleDescription_type = Size Computation Container Style
_UI_RoundedCornerStyleDescription_type = Rounded Corner Style
_UI_ContainerStyleDescription_type = Container Style
_UI_FlatContainerStyleDescription_type = Gradient
_UI_ShapeContainerStyleDescription_type = Parallelogram
_UI_WorkspaceImageDescription_type = Workspace Image
_UI_EdgeStyleDescription_type = Edge Style
_UI_BeginLabelStyleDescription_type = Begin Label Style
_UI_CenterLabelStyleDescription_type = Center Label Style
_UI_EndLabelStyleDescription_type = End Label Style
_UI_BracketEdgeStyleDescription_type = Bracket Edge Style
_UI_ToolSection_type = Section
_UI_ToolGroup_type = Group
_UI_ToolGroupExtension_type = Group Extension
_UI_NodeCreationDescription_type = Node Creation
_UI_EdgeCreationDescription_type = Edge Creation
_UI_ContainerCreationDescription_type = Container Creation
_UI_DeleteElementDescription_type = Delete Element
_UI_DoubleClickDescription_type = Double Click
_UI_DeleteHook_type = Delete Hook
_UI_DeleteHookParameter_type = Delete Hook Parameter
_UI_ReconnectEdgeDescription_type = Reconnect Edge
_UI_RequestDescription_type = Request
_UI_DirectEditLabel_type = Direct Edit Label
_UI_BehaviorTool_type = Behavior Tool
_UI_SourceEdgeCreationVariable_type = Source Edge Creation Variable
_UI_SourceEdgeViewCreationVariable_type = Source Edge View Creation Variable
_UI_TargetEdgeCreationVariable_type = Target Edge Creation Variable
_UI_TargetEdgeViewCreationVariable_type = Target Edge View Creation Variable
_UI_ElementDoubleClickVariable_type = Element Double Click Variable
_UI_NodeCreationVariable_type = Node Creation Variable
_UI_CreateView_type = Create View
_UI_CreateEdgeView_type = Create Edge View
_UI_Navigation_type = Navigation
_UI_DiagramCreationDescription_type = Diagram Creation
_UI_DiagramNavigationDescription_type = Diagram Navigation
_UI_ContainerDropDescription_type = Container Drop
_UI_FilterDescription_type = Filter
_UI_Filter_type = Filter
_UI_MappingFilter_type = Mapping Filter
_UI_CompositeFilterDescription_type = Composite Filter
_UI_VariableFilter_type = Variable Filter
_UI_FilterVariable_type = Variable
_UI_ConcernSet_type = Concerns
_UI_ConcernDescription_type = Concern
_UI_Unknown_type = Object
_UI_Unknown_datatype= Value
_UI_DDiagram_ownedDiagramElements_feature = Owned Diagram Elements
_UI_DDiagram_diagramElements_feature = Diagram Elements
_UI_DDiagram_description_feature = Description
_UI_DDiagram_info_feature = Info
_UI_DDiagram_subDiagrams_feature = Sub Diagrams
_UI_DDiagram_edges_feature = Edges
_UI_DDiagram_nodes_feature = Nodes
_UI_DDiagram_nodeListElements_feature = Node List Elements
_UI_DDiagram_containers_feature = Containers
_UI_DDiagram_currentConcern_feature = Current Concern
_UI_DDiagram_activatedFilters_feature = Activated Filters
_UI_DDiagram_allFilters_feature = All Filters
_UI_DDiagram_activatedRules_feature = Activated Rules
_UI_DDiagram_activateBehaviors_feature = Activate Behaviors
_UI_DDiagram_filterVariableHistory_feature = Filter Variable History
_UI_DDiagram_activatedLayers_feature = Activated Layers
_UI_DDiagram_synchronized_feature = Synchronized
_UI_DDiagram_hiddenElements_feature = Hidden Elements
_UI_DDiagram_isInLayoutingMode_feature = Is In Layouting Mode
_UI_DDiagram_headerHeight_feature = Header Height
_UI_DDiagramElement_visible_feature = Visible
_UI_DDiagramElement_tooltipText_feature = Tooltip Text
_UI_DDiagramElement_parentLayers_feature = Parent Layers
_UI_DDiagramElement_decorations_feature = Decorations
_UI_DDiagramElement_diagramElementMapping_feature = Diagram Element Mapping
_UI_DDiagramElement_graphicalFilters_feature = Graphical Filters
_UI_AppliedCompositeFilters_compositeFilterDescriptions_feature = Composite Filter Descriptions
_UI_AbsoluteBoundsFilter_x_feature = X
_UI_AbsoluteBoundsFilter_y_feature = Y
_UI_AbsoluteBoundsFilter_height_feature = Height
_UI_AbsoluteBoundsFilter_width_feature = Width
_UI_AbstractDNode_ownedBorderedNodes_feature = Owned Bordered Nodes
_UI_AbstractDNode_arrangeConstraints_feature = Arrange Constraints
_UI_DNode_width_feature = Width
_UI_DNode_height_feature = Height
_UI_DNode_ownedStyle_feature = Owned Style
_UI_DNode_labelPosition_feature = Label Position
_UI_DNode_resizeKind_feature = Resize Kind
_UI_DNode_originalStyle_feature = Original Style
_UI_DNode_actualMapping_feature = Actual Mapping
_UI_DNode_candidatesMapping_feature = Candidates Mapping
_UI_DDiagramElementContainer_nodes_feature = Nodes
_UI_DDiagramElementContainer_containers_feature = Containers
_UI_DDiagramElementContainer_elements_feature = Elements
_UI_DDiagramElementContainer_ownedStyle_feature = Owned Style
_UI_DDiagramElementContainer_originalStyle_feature = Original Style
_UI_DDiagramElementContainer_actualMapping_feature = Actual Mapping
_UI_DDiagramElementContainer_candidatesMapping_feature = Candidates Mapping
_UI_DDiagramElementContainer_width_feature = Width
_UI_DDiagramElementContainer_height_feature = Height
_UI_DNodeContainer_ownedDiagramElements_feature = Owned Diagram Elements
_UI_DNodeContainer_childrenPresentation_feature = Children Presentation
_UI_DNodeList_ownedElements_feature = Owned Elements
_UI_DNodeList_lineWidth_feature = Line Width
_UI_DNodeListElement_ownedStyle_feature = Owned Style
_UI_DNodeListElement_originalStyle_feature = Original Style
_UI_DNodeListElement_actualMapping_feature = Actual Mapping
_UI_DNodeListElement_candidatesMapping_feature = Candidates Mapping
_UI_DEdge_ownedStyle_feature = Owned Style
_UI_DEdge_size_feature = Size
_UI_DEdge_sourceNode_feature = Source Node
_UI_DEdge_targetNode_feature = Target Node
_UI_DEdge_actualMapping_feature = Actual Mapping
_UI_DEdge_routingStyle_feature = Routing Style
_UI_DEdge_isFold_feature = Is Fold
_UI_DEdge_isMockEdge_feature = Is Mock Edge
_UI_DEdge_originalStyle_feature = Original Style
_UI_DEdge_path_feature = Path
_UI_DEdge_arrangeConstraints_feature = Arrange Constraints
_UI_DEdge_beginLabel_feature = Begin Label
_UI_DEdge_endLabel_feature = End Label
_UI_NodeStyle_labelPosition_feature = Label Position
_UI_NodeStyle_hideLabelByDefault_feature = Hide Label By Default
_UI_Dot_backgroundColor_feature = Background Color
_UI_Dot_strokeSizeComputationExpression_feature = Stroke Size Computation Expression
_UI_GaugeSection_min_feature = Min
_UI_GaugeSection_max_feature = Max
_UI_GaugeSection_value_feature = Value
_UI_GaugeSection_label_feature = Label
_UI_GaugeSection_backgroundColor_feature = Background Color
_UI_GaugeSection_foregroundColor_feature = Foreground Color
_UI_FlatContainerStyle_backgroundStyle_feature = Background Style
_UI_FlatContainerStyle_backgroundColor_feature = Background Color
_UI_FlatContainerStyle_foregroundColor_feature = Foreground Color
_UI_ShapeContainerStyle_shape_feature = Shape
_UI_ShapeContainerStyle_backgroundColor_feature = Background Color
_UI_Square_width_feature = Width
_UI_Square_height_feature = Height
_UI_Square_color_feature = Color
_UI_Ellipse_horizontalDiameter_feature = Horizontal Diameter
_UI_Ellipse_verticalDiameter_feature = Vertical Diameter
_UI_Ellipse_color_feature = Color
_UI_Lozenge_width_feature = Width
_UI_Lozenge_height_feature = Height
_UI_Lozenge_color_feature = Color
_UI_BundledImage_shape_feature = Shape
_UI_BundledImage_color_feature = Color
_UI_WorkspaceImage_workspacePath_feature = Workspace Path
_UI_CustomStyle_id_feature = Id
_UI_EdgeTarget_outgoingEdges_feature = Outgoing Edges
_UI_EdgeTarget_incomingEdges_feature = Incoming Edges
_UI_EdgeStyle_strokeColor_feature = Stroke Color
_UI_EdgeStyle_lineStyle_feature = Line Style
_UI_EdgeStyle_lineStyle_description = Style of the line of the arrow.
_UI_EdgeStyle_sourceArrow_feature = Source Arrow
_UI_EdgeStyle_targetArrow_feature = Target Arrow
_UI_EdgeStyle_foldingStyle_feature = Folding Style
_UI_EdgeStyle_size_feature = Size
_UI_EdgeStyle_routingStyle_feature = Routing Style
_UI_EdgeStyle_beginLabelStyle_feature = Begin Label Style
_UI_EdgeStyle_centerLabelStyle_feature = Center Label Style
_UI_EdgeStyle_endLabelStyle_feature = End Label Style
_UI_GaugeCompositeStyle_alignment_feature = Alignment
_UI_GaugeCompositeStyle_sections_feature = Sections
_UI_BorderedStyle_borderSize_feature = Border Size
_UI_BorderedStyle_borderSizeComputationExpression_feature = Border Size Computation Expression
_UI_BorderedStyle_borderColor_feature = Border Color
_UI_Note_color_feature = Color
_UI_FilterVariableHistory_ownedValues_feature = Owned Values
_UI_FilterVariableValue_variableDefinition_feature = Variable Definition
_UI_FilterVariableValue_modelElement_feature = Model Element
_UI_CollapseFilter_width_feature = Width
_UI_CollapseFilter_height_feature = Height
_UI_ComputedStyleDescriptionRegistry_computedStyleDescriptions_feature = Computed Style Descriptions
_UI_DiagramElementMapping2ModelElement_key_feature = Key
_UI_DiagramElementMapping2ModelElement_value_feature = Value
_UI_ModelElement2ViewVariable_key_feature = Key
_UI_ModelElement2ViewVariable_value_feature = Value
_UI_ViewVariable2ContainerVariable_key_feature = Key
_UI_ViewVariable2ContainerVariable_value_feature = Value
_UI_ContainerVariable2StyleDescription_key_feature = Key
_UI_ContainerVariable2StyleDescription_value_feature = Value
_UI_DiagramDescription_filters_feature = Filters
_UI_DiagramDescription_allEdgeMappings_feature = All Edge Mappings
_UI_DiagramDescription_allNodeMappings_feature = All Node Mappings
_UI_DiagramDescription_allContainerMappings_feature = All Container Mappings
_UI_DiagramDescription_validationSet_feature = Validation Set
_UI_DiagramDescription_concerns_feature = Concerns
_UI_DiagramDescription_allTools_feature = All Tools
_UI_DiagramDescription_domainClass_feature = Domain Class
_UI_DiagramDescription_domainClass_description = The type of the root diagram element. For instance you may want to create an UML2 Class diagram,\n then the root domain class will probably be 'Package'. On the other side if you want a Class Diagram\n displaying the whole model, then the root domain class is 'Model' in UML2.
_UI_DiagramDescription_preconditionExpression_feature = Precondition Expression
_UI_DiagramDescription_preconditionExpression_description = The precondition is an expression preventing the creation of a diagram.\n If the precondition is set and the expression returns false on the root diagram\n element, then the diagram won't be created.
_UI_DiagramDescription_defaultConcern_feature = Default Concern
_UI_DiagramDescription_defaultConcern_description = If you display many concerns for a given diagram, then you may want to pick one as the default. This feature does just that.
_UI_DiagramDescription_rootExpression_feature = Root Expression
_UI_DiagramDescription_rootExpression_description = You can put here an expression to dynamically change the considered root for the diagram.
_UI_DiagramDescription_init_feature = Init
_UI_DiagramDescription_layout_feature = Layout
_UI_DiagramDescription_diagramInitialisation_feature = Diagram Initialization
_UI_DiagramDescription_defaultLayer_feature = Default Layer
_UI_DiagramDescription_additionalLayers_feature = Additional Layers
_UI_DiagramDescription_allLayers_feature = All Layers
_UI_DiagramDescription_allActivatedTools_feature = All Activated Tools
_UI_DiagramDescription_nodeMappings_feature = Node Mappings
_UI_DiagramDescription_edgeMappings_feature = Edge Mappings
_UI_DiagramDescription_edgeMappingImports_feature = Edge Mapping Imports
_UI_DiagramDescription_containerMappings_feature = Container Mappings
_UI_DiagramDescription_reusedMappings_feature = Reused Mappings
_UI_DiagramDescription_toolSection_feature = Tool Section
_UI_DiagramDescription_reusedTools_feature = Reused Tools
_UI_DiagramDescription_enablePopupBars_feature = Enable Popup Bars
_UI_DiagramDescription_enablePopupBars_description = If true, creation tools which are visible in the palette will also be available as pop-up toolbars in the diagram itself.
_UI_DiagramImportDescription_importedDiagram_feature = Imported Diagram
_UI_DiagramImportDescription_importedDiagram_description = Imported diagram description.
_UI_DiagramExtensionDescription_layers_feature = Layers
_UI_DiagramExtensionDescription_validationSet_feature = Validation Set
_UI_DiagramExtensionDescription_concerns_feature = Concerns
_UI_DiagramElementMapping_preconditionExpression_feature = Precondition Expression
_UI_DiagramElementMapping_preconditionExpression_description = Precondition to prevent the creation of a diagram element. The expression will get evaluated on\nan element of the domain type, if it returns false, then the diagram element won't get created.
_UI_DiagramElementMapping_deletionDescription_feature = Deletion Description
_UI_DiagramElementMapping_deletionDescription_description = Tool to call when the user ask for deletion. If you don't set this reference then\nthe default behavior is to remove all the associated semantic elements.
_UI_DiagramElementMapping_labelDirectEdit_feature = Label Direct Edit
_UI_DiagramElementMapping_labelDirectEdit_description = Tool called when the user perform a direct edit on the diagram element.
_UI_DiagramElementMapping_semanticCandidatesExpression_feature = Semantic Candidates Expression
_UI_DiagramElementMapping_semanticCandidatesExpression_description = Restrict the list of elements to consider before creating the graphical elements. If it is not set,\nthen all semantic models in session will be browsed and any element of the given type validating\nthe precondition expression will cause the creation of a graphical element. If you set this\nattribute then only the elements returned by the expression evaluation will be considered.
_UI_DiagramElementMapping_createElements_feature = Create Elements
_UI_DiagramElementMapping_createElements_description = Tell whether the element should be created during the diagram initialization or not. If not the diagram will be created empty and then the user will have to fill it.
_UI_DiagramElementMapping_semanticElements_feature = Associated Elements Expression
_UI_DiagramElementMapping_semanticElements_description = Expression used to associate more than one semantic element to the viewpoint element. If you associate more than one element, any change 
_UI_DiagramElementMapping_doubleClickDescription_feature = Double Click Description
_UI_DiagramElementMapping_synchronizationLock_feature = Synchronization Lock
_UI_DiagramElementMapping_synchronizationLock_description = Set to true to force the synchronization of the elements of this mapping when the current diagram is in an unsynchronized mode.\nThis option is used only if createElements is true and the diagram which contain the elements of this mapping is unsynchronized.
_UI_AbstractNodeMapping_domainClass_feature = Domain Class
_UI_AbstractNodeMapping_domainClass_description = Type of the element represented by the Node.
_UI_AbstractNodeMapping_borderedNodeMappings_feature = Bordered Node Mappings
_UI_AbstractNodeMapping_reusedBorderedNodeMappings_feature = Reused Bordered Node Mappings
_UI_NodeMapping_style_feature = Style
_UI_NodeMapping_conditionnalStyles_feature = Conditional Styles
_UI_ContainerMapping_subNodeMappings_feature = Sub Node Mappings
_UI_ContainerMapping_allNodeMappings_feature = All Node mappings
_UI_ContainerMapping_reusedNodeMappings_feature = Reused Node Mappings
_UI_ContainerMapping_reusedNodeMappings_description = Node mappings reused as child of this container.
_UI_ContainerMapping_subContainerMappings_feature = Sub Container Mappings
_UI_ContainerMapping_reusedContainerMappings_feature = Reused Container Mappings
_UI_ContainerMapping_reusedContainerMappings_description = Container mappings reused as child of this container.
_UI_ContainerMapping_allContainerMappings_feature = All Container Mappings
_UI_ContainerMapping_style_feature = Style
_UI_ContainerMapping_conditionnalStyles_feature = Conditional Styles
_UI_ContainerMapping_childrenPresentation_feature = Children Presentation
_UI_ContainerMapping_childrenPresentation_description = Tell whether the container will display its children as list elements or as shapes.
_UI_NodeMappingImport_importedMapping_feature = Imported Mapping
_UI_NodeMappingImport_importedMapping_description = Imported node mapping
_UI_ContainerMappingImport_importedMapping_feature = Imported Mapping
_UI_ContainerMappingImport_importedMapping_description = Imported container mapping
_UI_EdgeMapping_sourceMapping_feature = Source Mapping
_UI_EdgeMapping_sourceMapping_description = Mapping from which the edge should start.
_UI_EdgeMapping_targetMapping_feature = Target Mapping
_UI_EdgeMapping_targetMapping_description = Mapping from which the edge should end.
_UI_EdgeMapping_targetFinderExpression_feature = Target Finder Expression
_UI_EdgeMapping_targetFinderExpression_description = Expression which should return, starting from the target element (which may be the domain class\n if the edge is domain based, otherwhise it's the target of the source node) the target semantic element.
_UI_EdgeMapping_sourceFinderExpression_feature = Source Finder Expression
_UI_EdgeMapping_sourceFinderExpression_description = Only needed in domain based edges, it should return the source semantic element. For instance for an UML2 Association \nthe expression will look like [eAllContents(uml::Property)->first().type/] and will return the source class.
_UI_EdgeMapping_style_feature = Style
_UI_EdgeMapping_conditionnalStyles_feature = Conditional Styles
_UI_EdgeMapping_targetExpression_feature = Target Expression
_UI_EdgeMapping_targetExpression_description = Expression used to retrieve the main semantic element of the Edge. Using domain based Edges the expression is generally var:self.
_UI_EdgeMapping_domainClass_feature = Domain Class
_UI_EdgeMapping_domainClass_description = Type name of the domain class triggering the creation of a new Edge.\nFor instance in UML2 you can have 'Association' here.\nOnly needed if 'use domain element' is set to true.
_UI_EdgeMapping_useDomainElement_feature = Use Domain Element
_UI_EdgeMapping_useDomainElement_description = Trigger usage of a domain class representing an Edge or just a reference. If you set it to true, the Edge research will start from the domain instances of the given type and look for target/source nodes accordingly, if you set to false, the research will start from the source nodes and look for corresponding target nodes.
_UI_EdgeMapping_reconnections_feature = Reconnections
_UI_EdgeMapping_pathExpression_feature = Path Expression
_UI_EdgeMapping_pathExpression_description = You can use this feature to declare a path of element the edge should follow. The Edge will use this expression returning the list of semantic element it has to go through.
_UI_EdgeMapping_pathNodeMapping_feature = Path Mappings
_UI_EdgeMapping_pathNodeMapping_description = List of node mappings considered by the path expression.
_UI_EdgeMappingImport_importedMapping_feature = Imported Mapping
_UI_EdgeMappingImport_conditionnalStyles_feature = Conditional Styles
_UI_EdgeMappingImport_inheritsAncestorFilters_feature = Inherits Ancestor Filters
_UI_EdgeMappingImport_inheritsAncestorFilters_description = Set to true if you want the filters applying on the imported mappings apply on this one.
_UI_ConditionalNodeStyleDescription_style_feature = Style
_UI_ConditionalEdgeStyleDescription_style_feature = Style
_UI_ConditionalContainerStyleDescription_style_feature = Style
_UI_OrderedTreeLayout_childrenExpression_feature = Children Expression
_UI_OrderedTreeLayout_childrenExpression_description = You should write here an expression returning, from a semantic element of the selected mappings, its semantic child so that the layout is able to build the hierarchy.
_UI_OrderedTreeLayout_nodeMapping_feature = Node Mapping
_UI_OrderedTreeLayout_nodeMapping_description = An existing mapping on which the tree order algorithm will operate
_UI_CompositeLayout_padding_feature = Padding
_UI_CompositeLayout_direction_feature = Direction
_UI_MappingBasedDecoration_mappings_feature = Mappings
_UI_MappingBasedDecoration_mappings_description = Mappings
_UI_Layer_nodeMappings_feature = Node Mappings
_UI_Layer_edgeMappings_feature = Edge Mappings
_UI_Layer_edgeMappingImports_feature = Edge Mapping Imports
_UI_Layer_containerMappings_feature = Container Mappings
_UI_Layer_reusedMappings_feature = Reused Mappings
_UI_Layer_allTools_feature = All Tools
_UI_Layer_toolSections_feature = Tool Sections
_UI_Layer_reusedTools_feature = Reused Tools
_UI_Layer_decorationDescriptionsSet_feature = Decoration Descriptions Set
_UI_Layer_icon_feature = Icon
_UI_Layer_icon_description = Optional icon for the layer.
_UI_Layer_allEdgeMappings_feature = All Edge Mappings
_UI_Layer_customization_feature = Style Customizations
_UI_AdditionalLayer_activeByDefault_feature = Active By Default
_UI_AdditionalLayer_activeByDefault_description = If true, this optional layer will be automatically enabled when a new diagram of this type is created.
_UI_AdditionalLayer_optional_feature = Optional
_UI_AdditionalLayer_optional_description = If true, the end-user can deactivate this layer.
_UI_DragAndDropTargetDescription_dropDescriptions_feature = Drop Descriptions
_UI_DragAndDropTargetDescription_dropDescriptions_description = Tool describing what actions should be taken when dropping something onto the element.
_UI_BorderedStyleDescription_borderSizeComputationExpression_feature = Border Size Computation Expression
_UI_BorderedStyleDescription_borderSizeComputationExpression_description = Expression returning the size of the border.
_UI_BorderedStyleDescription_borderColor_feature = Border Color
_UI_NodeStyleDescription_sizeComputationExpression_feature = Size Computation Expression
_UI_NodeStyleDescription_labelPosition_feature = Label Position
_UI_NodeStyleDescription_labelPosition_description = Pick either 'node' position which mean 'inside the node' or 'border' to put the label around the node.
_UI_NodeStyleDescription_resizeKind_feature = Resize Kind
_UI_NodeStyleDescription_resizeKind_description = Authorized resize directions for the node.
_UI_CustomStyleDescription_id_feature = Id
_UI_CustomStyleDescription_id_description = ID for the custom style, you should put here an ID you'll leverage using the API to provide your own custom style.
_UI_SquareDescription_width_feature = Width
_UI_SquareDescription_height_feature = Height
_UI_SquareDescription_color_feature = Color
_UI_LozengeNodeDescription_widthComputationExpression_feature = Width Computation Expression
_UI_LozengeNodeDescription_heightComputationExpression_feature = Height Computation Expression
_UI_LozengeNodeDescription_color_feature = Color
_UI_EllipseNodeDescription_color_feature = Color
_UI_EllipseNodeDescription_horizontalDiameterComputationExpression_feature = Horizontal Diameter Computation Expression
_UI_EllipseNodeDescription_verticalDiameterComputationExpression_feature = Vertical Diameter Computation Expression
_UI_BundledImageDescription_shape_feature = Shape
_UI_BundledImageDescription_color_feature = Color
_UI_BundledImageDescription_color_description = Color for the shape.
_UI_NoteDescription_color_feature = Color
_UI_DotDescription_backgroundColor_feature = Background Color
_UI_DotDescription_strokeSizeComputationExpression_feature = Stroke Size Computation Expression
_UI_GaugeCompositeStyleDescription_alignment_feature = Alignment
_UI_GaugeCompositeStyleDescription_alignment_description = Alignment of the gauges.
_UI_GaugeCompositeStyleDescription_sections_feature = Sections
_UI_GaugeSectionDescription_minValueExpression_feature = Min Value Expression
_UI_GaugeSectionDescription_maxValueExpression_feature = Max Value Expression
_UI_GaugeSectionDescription_valueExpression_feature = Value Expression
_UI_GaugeSectionDescription_backgroundColor_feature = Background Color
_UI_GaugeSectionDescription_foregroundColor_feature = Foreground Color
_UI_GaugeSectionDescription_label_feature = Label
_UI_SizeComputationContainerStyleDescription_widthComputationExpression_feature = Width Computation Expression
_UI_SizeComputationContainerStyleDescription_heightComputationExpression_feature = Height Computation Expression
_UI_RoundedCornerStyleDescription_arcWidth_feature = Arc Width
_UI_RoundedCornerStyleDescription_arcHeight_feature = Arc Height
_UI_ContainerStyleDescription_roundedCorner_feature = Rounded Corner
_UI_FlatContainerStyleDescription_backgroundStyle_feature = Background Style
_UI_FlatContainerStyleDescription_backgroundColor_feature = Background Color
_UI_FlatContainerStyleDescription_foregroundColor_feature = Foreground Color
_UI_FlatContainerStyleDescription_labelBorderStyle_feature = Label Border Style
_UI_ShapeContainerStyleDescription_shape_feature = Shape
_UI_ShapeContainerStyleDescription_backgroundColor_feature = Background Color
_UI_WorkspaceImageDescription_workspacePath_feature = Image Path
_UI_WorkspaceImageDescription_workspacePath_description = Path for the image in the form of /myProjectID/path/to/image.png . If the image is not found in the workspace the tooling will look for it in the plugins.
_UI_EdgeStyleDescription_strokeColor_feature = Stroke Color
_UI_EdgeStyleDescription_lineStyle_feature = Line Style
_UI_EdgeStyleDescription_sourceArrow_feature = Source Arrow
_UI_EdgeStyleDescription_targetArrow_feature = Target Arrow
_UI_EdgeStyleDescription_sizeComputationExpression_feature = Size Computation Expression
_UI_EdgeStyleDescription_routingStyle_feature = Routing Style
_UI_EdgeStyleDescription_foldingStyle_feature = Folding Style
_UI_EdgeStyleDescription_beginLabelStyleDescription_feature = Begin Label Style Description
_UI_EdgeStyleDescription_centerLabelStyleDescription_feature = Center Label Style Description
_UI_EdgeStyleDescription_endLabelStyleDescription_feature = End Label Style Description
_UI_ToolSection_groups_feature = Groups
_UI_ToolSection_icon_feature = Icon
_UI_ToolSection_ownedTools_feature = Owned Tools
_UI_ToolSection_subSections_feature = Sub Sections
_UI_ToolSection_popupMenus_feature = Popup Menus
_UI_ToolSection_reusedTools_feature = Reused Tools
_UI_ToolSection_groupExtensions_feature = Group Extensions
_UI_ToolGroup_tools_feature = Tools
_UI_ToolGroupExtension_group_feature = Group
_UI_ToolGroupExtension_tools_feature = Tools
_UI_NodeCreationDescription_nodeMappings_feature = Node Mappings
_UI_NodeCreationDescription_nodeMappings_description = Node mappings you may need to create once the tool has been executed.
_UI_NodeCreationDescription_variable_feature = Variable
_UI_NodeCreationDescription_viewVariable_feature = View Variable
_UI_NodeCreationDescription_initialOperation_feature = Initial Operation
_UI_NodeCreationDescription_iconPath_feature = Icon Path
_UI_NodeCreationDescription_iconPath_description = Path to a specific icon, if unset the icon associated to the Node mapping will be used. Otherwise use path\nlike /myProject/myDirectory/myImage.gif, the tool will look for it first in the workspace, then in the plugins.
_UI_NodeCreationDescription_extraMappings_feature = Extra Mappings
_UI_NodeCreationDescription_extraMappings_description = Usefull if you want to enable the tool on other mappings and then provide a specific behavior.
_UI_EdgeCreationDescription_edgeMappings_feature = Edge Mappings
_UI_EdgeCreationDescription_edgeMappings_description = Edge mappings you may need to automatically create once the tool has been executed.
_UI_EdgeCreationDescription_sourceVariable_feature = Source Variable
_UI_EdgeCreationDescription_targetVariable_feature = Target Variable
_UI_EdgeCreationDescription_sourceViewVariable_feature = Source View Variable
_UI_EdgeCreationDescription_targetViewVariable_feature = Target View Variable
_UI_EdgeCreationDescription_initialOperation_feature = Initial Operation
_UI_EdgeCreationDescription_iconPath_feature = Icon Path
_UI_EdgeCreationDescription_iconPath_description = Path to a specific icon, if unset the icon associated to the Node mapping will be used. Otherwise use path\nlike /myProject/myDirectory/myImage.gif, the tool will look for it first in the workspace, then in the plugins.
_UI_EdgeCreationDescription_extraSourceMappings_feature = Extra Source Mappings
_UI_EdgeCreationDescription_extraSourceMappings_description = Usefull if you want to enable the tool on other mappings and then provide a specific behavior.
_UI_EdgeCreationDescription_extraTargetMappings_feature = Extra Target Mappings
_UI_EdgeCreationDescription_connectionStartPrecondition_feature = Connection Start Precondition
_UI_EdgeCreationDescription_precondition_feature = Connection Complete Precondition
_UI_ContainerCreationDescription_containerMappings_feature = Container Mappings
_UI_ContainerCreationDescription_containerMappings_description = Container mappings you may need to create once the tool has been executed.
_UI_ContainerCreationDescription_variable_feature = Variable
_UI_ContainerCreationDescription_viewVariable_feature = View Variable
_UI_ContainerCreationDescription_initialOperation_feature = Initial Operation
_UI_ContainerCreationDescription_iconPath_feature = Icon Path
_UI_ContainerCreationDescription_iconPath_description = Path to a specific icon, if unset the icon associated to the Node mapping will be used. Otherwise use path\nlike /myProject/myDirectory/myImage.gif, the tool will look for it first in the workspace, then in the plugins.
_UI_ContainerCreationDescription_extraMappings_feature = Extra Mappings
_UI_ContainerCreationDescription_extraMappings_description = Usefull if you want to enable the tool on other mappings and then provide a specific behavior.
_UI_DeleteElementDescription_element_feature = Element
_UI_DeleteElementDescription_elementView_feature = Element View
_UI_DeleteElementDescription_containerView_feature = Container View
_UI_DeleteElementDescription_initialOperation_feature = Initial Operation
_UI_DeleteElementDescription_hook_feature = Hook
_UI_DoubleClickDescription_mappings_feature = Mappings
_UI_DoubleClickDescription_element_feature = Element
_UI_DoubleClickDescription_elementView_feature = Element View
_UI_DoubleClickDescription_initialOperation_feature = Initial Operation
_UI_DeleteHook_id_feature = Id
_UI_DeleteHook_id_description = An id of an extension to org.eclipse.sirius.deleteHook extension point. It may be used to add a confirmation dialog before deletion
_UI_DeleteHook_parameters_feature = Parameters
_UI_DeleteHookParameter_name_feature = Name
_UI_DeleteHookParameter_value_feature = Value
_UI_ReconnectEdgeDescription_reconnectionKind_feature = Reconnection Kind
_UI_ReconnectEdgeDescription_source_feature = Source
_UI_ReconnectEdgeDescription_target_feature = Target
_UI_ReconnectEdgeDescription_sourceView_feature = Source View
_UI_ReconnectEdgeDescription_targetView_feature = Target View
_UI_ReconnectEdgeDescription_element_feature = Element
_UI_ReconnectEdgeDescription_initialOperation_feature = Initial Operation
_UI_ReconnectEdgeDescription_edgeView_feature = Edge View
_UI_RequestDescription_type_feature = Type
_UI_RequestDescription_type_description = Arbitrary identifier of a request sent on the current EditPart. You should use the provided API to install an EditPolicy reacting to the request.
_UI_DirectEditLabel_mask_feature = Mask
_UI_DirectEditLabel_initialOperation_feature = Initial Operation
_UI_DirectEditLabel_inputLabelExpression_feature = Input Label Expression
_UI_BehaviorTool_domainClass_feature = Domain Class
_UI_BehaviorTool_domainClass_description = Domain class on which the behavior tool will be applied when the 'launch behaviors' will be called.
_UI_BehaviorTool_initialOperation_feature = Initial Operation
_UI_CreateView_mapping_feature = Mapping
_UI_CreateView_mapping_description = Mapping of the view to create.
_UI_CreateView_containerViewExpression_feature = Container View Expression
_UI_CreateView_containerViewExpression_description = Expression returning the container view which will store the newly created view.
_UI_CreateView_variableName_feature = Variable Name
_UI_CreateView_variableName_description = Once the view is created, a new variable with the given name will exist bound to the newly created view.
_UI_CreateEdgeView_sourceExpression_feature = Source Expression
_UI_CreateEdgeView_sourceExpression_description = Expression returning the semantic source of the newly created Edge
_UI_CreateEdgeView_targetExpression_feature = Target Expression
_UI_CreateEdgeView_targetExpression_description = Expression returning the semantic target of the newly created Edge
_UI_Navigation_createIfNotExistent_feature = Create if not Existent
_UI_Navigation_diagramDescription_feature = Diagram Description
_UI_DiagramCreationDescription_diagramDescription_feature = Diagram Description
_UI_DiagramNavigationDescription_diagramDescription_feature = Diagram Description
_UI_ContainerDropDescription_mappings_feature = Mappings
_UI_ContainerDropDescription_mappings_description = Mapping of the element to drop on the container
_UI_ContainerDropDescription_oldContainer_feature = Old Container
_UI_ContainerDropDescription_newContainer_feature = New Container
_UI_ContainerDropDescription_element_feature = Element
_UI_ContainerDropDescription_newViewContainer_feature = New View Container
_UI_ContainerDropDescription_initialOperation_feature = Initial Operation
_UI_ContainerDropDescription_dragSource_feature = Drag Source
_UI_ContainerDropDescription_dragSource_description = Tell whether the source of this Drag and Drop is a representation, an item of the Model Content View or both.
_UI_ContainerDropDescription_moveEdges_feature = Move Edges
_UI_ContainerDropDescription_moveEdges_description = If set to true, drop to the container will not invalidate the linked edges.
_UI_Filter_filterKind_feature = Filter Kind
_UI_Filter_filterKind_description = A filter may hide an element or just collapse it. If an element is collapsed, any edge going from or to this element will still be visible.
_UI_MappingFilter_mappings_feature = Mappings
_UI_MappingFilter_semanticConditionExpression_feature = Semantic Condition Expression
_UI_MappingFilter_viewConditionExpression_feature = View Condition Expression
_UI_CompositeFilterDescription_filters_feature = Filters
_UI_VariableFilter_ownedVariables_feature = Owned Variables
_UI_VariableFilter_semanticConditionExpression_feature = Semantic Condition Expression
_UI_FilterVariable_name_feature = Name
_UI_ConcernSet_ownedConcernDescriptions_feature = Owned Concern Descriptions
_UI_ConcernDescription_filters_feature = Filters
_UI_ConcernDescription_rules_feature = Rules
_UI_ConcernDescription_behaviors_feature = Behaviors
_UI_Unknown_feature = Unspecified

_UI_ContainerLayout_FreeForm_literal = Free Form
_UI_ContainerLayout_List_literal = List
_UI_ContainerLayout_HorizontalStack_literal = Horizontal Stack
_UI_ContainerLayout_VerticalStack_literal = Vertical Stack
_UI_LabelPosition_border_literal = border
_UI_LabelPosition_node_literal = node
_UI_ContainerShape_parallelogram_literal = Parallelogram
_UI_BackgroundStyle_GradientLeftToRight_literal = Gradient Left to Right
_UI_BackgroundStyle_Liquid_literal = Oblique
_UI_BackgroundStyle_GradientTopToBottom_literal = Gradient Top to Bottom
_UI_BundledImageShape_square_literal = square
_UI_BundledImageShape_stroke_literal = stroke
_UI_BundledImageShape_triangle_literal = triangle
_UI_BundledImageShape_dot_literal = dot
_UI_BundledImageShape_ring_literal = ring
_UI_LineStyle_solid_literal = solid
_UI_LineStyle_dash_literal = dash
_UI_LineStyle_dot_literal = dot
_UI_LineStyle_dash_dot_literal = dash_dot
_UI_EdgeArrows_NoDecoration_literal = NoDecoration
_UI_EdgeArrows_OutputArrow_literal = OutputArrow
_UI_EdgeArrows_InputArrow_literal = InputArrow
_UI_EdgeArrows_OutputClosedArrow_literal = Output Closed Arrow
_UI_EdgeArrows_InputClosedArrow_literal = Input Closed Arrow
_UI_EdgeArrows_OutputFillClosedArrow_literal = Output Fill Closed Arrow
_UI_EdgeArrows_InputFillClosedArrow_literal = Input Fill Closed Arrow
_UI_EdgeArrows_Diamond_literal = Diamond
_UI_EdgeArrows_FillDiamond_literal = Fill diamond
_UI_EdgeArrows_InputArrowWithDiamond_literal = Input Arrow with Diamond
_UI_EdgeArrows_InputArrowWithFillDiamond_literal = Input Arrow with Fill Diamond
_UI_EdgeRouting_straight_literal = Straight
_UI_EdgeRouting_manhattan_literal = Manhattan
_UI_EdgeRouting_tree_literal = Tree
_UI_AlignmentKind_VERTICAL_literal = Vertical
_UI_AlignmentKind_HORIZONTAL_literal = Horizontal
_UI_AlignmentKind_SQUARE_literal = Square
_UI_ResizeKind_NONE_literal = None
_UI_ResizeKind_NSEW_literal = NSEW
_UI_ResizeKind_NORTH_SOUTH_literal = North South
_UI_ResizeKind_EAST_WEST_literal = East West
_UI_ArrangeConstraint_KEEP_LOCATION_literal = KEEP_LOCATION
_UI_ArrangeConstraint_KEEP_SIZE_literal = KEEP_SIZE
_UI_ArrangeConstraint_KEEP_RATIO_literal = KEEP_RATIO
_UI_FoldingStyle_NONE_literal = None
_UI_FoldingStyle_SOURCE_literal = Source
_UI_FoldingStyle_TARGET_literal = Target
_UI_LayoutDirection_TopToBottom_literal = Top to Bottom
_UI_LayoutDirection_LeftToRight_literal = Left to Right
_UI_LayoutDirection_BottomToTop_literal = Bottom to Top
_UI_ReconnectionKind_RECONNECT_TARGET_literal = Reconnect Target
_UI_ReconnectionKind_RECONNECT_SOURCE_literal = Reconnect Source
_UI_ReconnectionKind_RECONNECT_BOTH_literal = Reconnect Both
_UI_FilterKind_HIDE_literal = Hide
_UI_FilterKind_COLLAPSE_literal = Collapse
_UI_AdvancedPropertyCategory = Advanced
_UI_GeneralPropertyCategory = General
_UI_ImportPropertyCategory = Import
_UI_CornerPropertyCategory = Corner
_UI_BehaviorPropertyCategory = Behavior
_UI_BorderPropertyCategory = Border
_UI_DecoratorsPropertyCategory = Decorators
_UI_LabelPropertyCategory = Label
_UI_ColorPropertyCategory = Color
_UI_PathPropertyCategory = Path


_UI_EdgeStyleDescription_centeredSourceMappings_feature = Centered Source Mappings
_UI_EdgeStyleDescription_centeredTargetMappings_feature = Centered Target Mappings
_UI_CenteringStyle_None_literal = None
_UI_CenteringStyle_Both_literal = Both
_UI_CenteringStyle_Source_literal = Source
_UI_CenteringStyle_Target_literal = Target
_UI_EdgeStyle_centered_feature = Centered
_UI_EdgeStyleDescription_endsCentering_feature = Ends Centering
_UI_EdgeStyleDescription_endsCentering_description = Use this feature to generalize the ends centering behavior to all source mappings, all target mappings or both. If "None", you have to select the source and target mappings manually.
_UI_EdgeStyleDescription_centeredSourceMappings_description = The mappings for which the edge source will be centered. Deactivated if ends Centering value is "Both" or "Source" (that means the source is alway centered)
_UI_EdgeStyleDescription_centeredTargetMappings_description = The mappings for which the edge target will be centered. Deactivated if ends Centering value is "Both" or "Target" (that means the target is alway centered)
_UI_HideLabelCapabilityStyle_type = Hide Label Capability Style
_UI_HideLabelCapabilityStyleDescription_type = Hide Label Capability Style Description
_UI_HideLabelCapabilityStyle_hideLabelByDefault_feature = Hide Label By Default
_UI_HideLabelCapabilityStyleDescription_hideLabelByDefault_feature = Hide Label By Default
_UI_HideLabelCapabilityStyleDescription_hideLabelByDefault_description = Define the default visibility status of this label. A change of this option does not affect already existing elements.
_UI_BorderedStyle_borderLineStyle_feature = Border Line Style
_UI_BorderedStyleDescription_borderLineStyle_feature = Border Line Style
_UI_BorderedStyleDescription_borderLineStyle_description = The style of the border line.


AbstractDDiagramElementLabelItemProvider_emptyLabel = Empty label
AbstractDDiagramElementLabelItemProvider_label = {0} label
AbstractDEdgeNameEditPart_VisualID_Error = Error while accessing the visual ID of an edge label
AbstractEdgesZOrderAction_noExecutioninformationDialogTitle = Action not executed
AbstractExtendedContentOutlinePage_setSelectionJobName = Refreshing outline
AbstractLayoutProvider_arrangeAllCommandLabel = Arrange all
AbstractLayoutProvider_arrangeAllProfilerTaskCategory = Generic Modeler
AbstractLayoutProvider_arrangeAllProfilerTaskName = Arrange All
AbstractLayoutProvider_layoutError = Layout Error
AbstractModelChangeOperation_name = Unnamed operation
AbstractParser_UnexpectedValueTypeMessage=Value of type {0} is expected
AbstractParser_UnknownLiteralMessage=Unknown literal: {0}
AbstractParser_WrongStringConversionMessage=String value does not convert to {0} value
AbstractParser_setValuesCmdLabel = Set Values
AbstractProviderDescriptor_missingAttributeMsg = The {0} attribute is missing
AbstractSiriusLayoutDataManager_unhandledDiagramElementKind = This kind of diagram element ({0}) is not yet managed by the LayoutDataManager.
ActivateBehaviorToolsCommand_label = Activate behavior tools
ActivateFiltersCommand_label = Activate filters
ActivateRulesCommand_label = Activate validation rules
AddErrorCommand_label = Navigate to another representation
AdditionalLayerItemProvider_transientLayer = transient
AirResizableEditPolicy_autoSizeCommandLabel = Auto Size
AnonymousUserFixedColorName = <anonymous>
ArrangeBorderNodesAction_actionText = Linked Border Nodes
ArrangeBorderNodesAction_commandLabel = Arrange Linked Border Nodes
ArrangeBorderNodesAction_toolTipText = Arrange all the linked border nodes of the diagram.
ArrangeBorderNodesAction_toolbarActionText = Arrange Linked Border Nodes
BehaviorsPropertySection_activatedBehaviorsLabel = Activated Behaviors
BehaviorsPropertySection_availableBehaviorsLabel = Available Behaviors
BorderItemAwareLayoutProvider_invalidItemsPosition = Invalid items position.
BorderItemAwareLayoutProvider_setBoundsCommandLabel = Set Bounds
BorderItemLayoutData_movedBorderItemSincePreviousLayout = Border item has been moved since previous layout. {0}
BorderItemLayoutData_unmovedBorderItemSincePreviousLayout = Border item has not been moved since previous layout. {0}
BracketBendpointEditPolicy_moveBrackedCommandLabel = Move bracket connection
BracketBendpointEditPolicy_rotateBracketCommandLabel = Rotate bracket connection
BundledImageEditPart_notBundleImageMsg = The element is not a BundledImage
BundledImageShape_attributeAbsent = The org.eclipse.sirius.diagram.bundledImageShape extension of id ''{0}'' should have the {1} attribute with a value.
BundledImageShape_idMissing = missingBundledImageShapeID
BundledImageShape_usedByEndUser_idMissing_msg = The style of a diagram element has been customized by using the ID ''{0}'' of a bundled image shape, but this ID is declared in no plug-in.
BundledImageShape_usedInVSM_idMissing_msg = The ID ''{0}'' of a bundled image shape is used in a VSM, but this ID is declared in no plug-in.
CenterEditPartEdgesCommand_label = Center Edges
ChangeEditModeAction_ChangePropertyValueRequest_label=Change edit mode
ChangeEditModeAction_ChangeFailure=Edit mode could not be changed.
ChangeBendpointsOfEdgesCommand_label = Adapt bendpoints of edges
ChangeBendpointsOfEdgesCommand_mapGmfAnchorToDraw2dAnchorCommandLabel = Map GMF anchor to Draw2D anchor
ChangeBendpointsOfEdgesCommand_mapGmfPointsToDraw2dPoints = Map GMF points to Draw2D points
ChangeBendpointsOfEdgesCommand_mapGmfToDraw2dCommandLabel = Map GMF to Draw2D
ChangeBendpointsOfEdgesCommand_updateLabelsOffsetCmdLabel = Update offset of labels
ChangeBendpointsOfEdgesCommand_warningCommandResultMessage = The adaptation of edges according to shape move can not be done.
ChangeFilterActivation_activateFilter = Activate {0} filter
ChangeFilterActivation_deactivateFilter = Deactivate {0} filter
ChangeFilterActivation_label = hide or show filter
ChangeMassivelyImagePathDialog_title = Replace all the image paths
ChangeMassivelyImagePathDialog_invalidCharInName = The character {0} is an invalid character.
ChangeMassivelyImagePathDialog_badLeadingCharacter = The path must not start with /
ChangeMassivelyImagePathDialog_newLabel = New image starting path
ChangeMassivelyImagePathDialog_newTooltip = This path will replace the current image path prefix.
ChangeMassivelyImagePathDialog_oldLabel = Current image starting path to replace
ChangeMassivelyImagePathDialog_oldTooltip = All the image paths starting from this path will be replaced. The first part corresponds to the project name where the images are located.
ChangeMassivelyImagePathDialog_processDiagramContentLabel = Apply on all diagrams.
ChangeMassivelyImagePathDialog_processDiagramContentTooltip = This option will load all the diagrams.
ChangeMassivelyImagePathDialog_warning = This action will update all targeted image paths.\nIt applies to all model elements that have a rich text description and optionally to all diagrams.
ChangeSynchronizedDagramStatusCommand_label = Change Synchronized status
ChildrenAdjustmentCommand_errorMsg = The adaptation of children location to shape move can not be done.
ChildrenAdjustmentCommand_label = Adapt children location
Column_wrongColumnViewError = The view is not in the column
CommandFactory_doNothingLabel = Do nothing
CommandName_OpenDiagram=Open Diagram
CompoundEditPolicy_nullEditPolicyMsg = the edit policy is null
ConcernComboContributionItem_tooltip = Current concern
ConnectionsFactory_edgeNotCreatedMsg = GMF Edge not created between source element : {0}, and target element : {1}
CopyFormatAction_clearPreviousFormatDateCommandLabel = Clear previous format data
CopyFormatAction_commandLabel = Copy format
CopyFormatAction_notifyEditors = Notify editors of cache change
CopyFormatAction_storeFormatCommandLabel = Store formats
CopyFormatAction_text = Copy format
CopyFormatAction_toolTipText_diagram = Copy the format of the whole diagram
CopyFormatAction_toolTipText_diagramElements = Copy the format of the selected diagram elements
CopyFormatDataCommand_label = Copy format data
CopyToSiriusClipboardCommand_label = Copy to clipboard
CreateAndStoreGMFDiagramCommand_label = Refresh diagram on opening
CreateRepresentationFromRepresentationCreationDescription_cmdLabel = Create and open representation
CustomSiriusDocumentProvider_noCorrespondingResourceMsg = No resource in resourceSet corresponding to {0}
CustomSiriusDocumentProvider_useModelExplorerToOpenMsg = You should use the Model Explorer view and the Design perspective to open aird files.
CustomTreeSelectionDialog_checkAllButtonTooltip = Check All
CustomTreeSelectionDialog_collapaseAllTooltip = Collapse All
CustomTreeSelectionDialog_expandAllButtonTooltip = Expand All
CustomTreeSelectionDialog_regexpExplanations = ? = any character, * = any String
CustomTreeSelectionDialog_regexpTitle = Filter elements by name
CustomTreeSelectionDialog_regexpTooltip = Expression that will be used to filer elements by name (for example 'abc', 'a?c', '*c'...)
CustomTreeSelectionDialog_showLabelText = Show
CustomTreeSelectionDialog_uncheckAllButtonTooltip = Uncheck All
DDiagramEditorImpl_error_global = An error occurred during the editor initialization.
DDiagramEditorImpl_error_representationRefresh = An error occurred during the representation refresh of {0}.
DDiagramEditorImpl_editorToBeClosedAndReopenedSinceContentIsNotAccessible={0}\nContent access has failed at editor opening, you can try to reopen this editor.
DDiagramEditorImpl_cdoServerConnectionPbMsg = Error while connecting to remote CDO server
DDiagramEditorImpl_noAssociatedGMFDiagramMsg = The gmf diagram is expected to be created before calling setInput() on the editor
DDiagramEditorImpl_noSessionMsg = Error while getting the session.
DDiagramEditorImpl_refreshJobInterruptedMsg = Refresh job got interrupted
DDiagramEditorImpl_refreshJobLabel = Refresh
DDiagramEditorImpl_updateToolFailure=The tools for the diagram could not be computed. No VSM tools will be available in the palette.
DEdgeCreateCommand_executionErrorMsg = Invalid arguments in create link command
DEdgeLabelItemProvider_label = label
DNodeContainerViewNodeContainerCompartment2EditPart_title=ViewNodeContainerCompartment
DNodeContainerViewNodeContainerCompartmentEditPart_title=ViewNodeContainerCompartment
DNodeFormatDataKey_wrongKeyMsg = The key uses to store this format data can only be an AbstractDNode or a DDiagram.
DNodeLayoutDataKey_wrongKeyMsg = The key uses to store this layout data can only be an AbstractDNode or a DDiagram.
DNodeListViewNodeListCompartment2EditPart_title=ViewNodeListCompartment
DNodeListViewNodeListCompartmentEditPart_title=ViewNodeListCompartment
DeactivateBehaviorToolsCommand_label = Deactivate behavior tools
DeactivateFiltersCommand_label = Deactivate filters
DeactivateRulesCommand_label = Deactivate validation rules
DefaultLayerName = Default
DefaultTabbarContributorProvider_contributionError = Cannot instantiate the ITabbarContributor contribution
DefaultTabbarContributorProvider_contributionError_withId = Cannot instantiate the ITabbarContributor contribution in {0} extension
DefaultModeAction_statusOn=Standard Mode
DefaultModeAction_Label=Standard Mode
EditModeAction_Label=Change Diagram edition mode
DeleteMultipleConnectorMigrationParticipant_edgesModified = \n\t* In diagram "{0}", connectors style of some edges have been deleted because only one is required.
DeleteMultipleConnectorMigrationParticipant_title = Migration done for "Multiple Connector Style" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration.):
DeleteRelatedNoteAttachmentsTask_label = Delete Related GMF note attachments
DeleteRelatedNotesTask_label = Delete Related GMF notes
DeselectAllAction_label = Deselect All
DeselectAllAction_tooltip = Deselect all selected diagram elements.
DiagramAppearancePreferencePage_decorationGroupText = Decorations
DiagramAppearancePreferencePage_authorizeOverlapGroupText = Authorize decoration overlapping
DiagramAppearancePreferencePage_displayHeaderGroupText = Display header
DiagramAppearancePreferencePage_displayHeaderLabel = Display header
DiagramAppearancePreferencePage_hideConnectorLabelIconsLabel =  Hide label icons on connectors
DiagramAppearancePreferencePage_hideShapeLabelIconsLabel =  Hide label icons on shapes
DiagramAppearancePreferencePage_labelIconsGroupText = Label icons (does not affect existing elements of opened diagrams)
DiagramAppearancePreferencePage_displayUserFixedColorsInPaletteLabel = Display viewpoint colors
DiagramConnectionsPreferencePage_showEdgeLabelLinkOnSelect = Show link between edge and its labels on selection
DiagramConnectionsPreferencePage_defaultValuesGroup_title = User specific default values. These settings apply to all diagrams (does not affect existing elements)
DiagramConnectionsPreferencePage_enableLineStyleOverride_label = Line style
DiagramDialectEditorDialogFactory_forbiddenOperation = Forbidden operation
DiagramDialectUIServices_diagramDescription = \n . {0}: diagram.DDiagram | the diagram of the current potential edge.
DiagramDialectUIServices_diagramEditPartDeactivationError = Error while deactivating the representation, the remote server may be unreachable.
DiagramDialectUIServices_diagramEditorClosingError = Error while closing the representation, the remote server may be unreachable.
DiagramDialectUIServices_diagramEditorOpeningError = diagram editor opening error
DiagramDialectUIServices_diagramEditorOpeningMonitorTaskName = diagram editor opening: {0}
DiagramDialectUIServices_diagramOpeningMonitorTaskName = diagram opening
DiagramDialectUIServices_exportedDiagramImageCreationError = The program was not able to create image file {0}
DiagramDialectUIServices_exportedDiagramImageClassCastError = An error occurred while exporting the diagram "{0}" as image. This diagram may need to be refreshed before.
DiagramDialectUIServices_refreshDiagram = Refresh diagram
DiagramDialectUIServices_representationWithEmptyNameEditorName = New Diagram
DiagramDialectUIServices_requiredViewpointsDialogMessage = The current diagram requires some viewpoints selected ({0}), because some activated layers are contributed by these viewpoints
DiagramDialectUIServices_requiredViewpointsDialogTitle = Viewpoints selection
DiagramDialectUIServices_sourcePreDescription = \n . {0}: ecore.EObject | (edge only) the semantic element of $preSourceView.
DiagramDialectUIServices_sourceViewPreDescription = \n . {0}: diagram.EdgeTarget | (edge only) the source view of the current potential edge.
DiagramDialectUIServices_targetPreDescription = \n . {0}: ecore.EObject | (edge only) the semantic element of $preTargetView.
DiagramDialectUIServices_targetViewPreDescription = \n . {0}: diagram.EdgeTarget | (edge only) the target view of the current potential edge.
DiagramEdgeEditPartOperation_unknownRountingStyle = Unknown routing style: {0}
DiagramEditPartService_imageExportException = Cannot export image ({0})
DiagramEditorContextMenuProvider_arrangeMenuRenameError = Arrange menu is not renamed in Layout
DiagramEditorContextMenuProvider_arrangeMenuText = Layout
DiagramElementEditPartOperation_partDeactivationError = Error while connecting to remote CDO server
DiagramElementsSelectionDialog_grayedElementDialogMessage = The wizard will have no effect on grayed elements.
DiagramGeneralPreferencePage_arrangeAndAutoSizeContainersLabel = Auto-size containers during arrange-all action.
DiagramGeneralPreferencePage_moveUnlinkedNodeLabel = Move unlinked notes during layout
DiagramGeneralPreferencePage_pasteLayoutModeGroupLabel = Paste layout mode
DiagramGeneralPreferencePage_pasteLayoutModePromptMessage = Prompt to select paste mode
DiagramGeneralPreferencePage_pasteLayoutModePromptTooltip = If checked, a dialog will be prompted to ask the mode (by default the below mode is selected). If unchecked, the below mode is used by default.
DiagramGeneralPreferencePage_pinMovedElementsLabel = Automatically mark moved elements as pinned
DiagramGeneralPreferencePage_removeHideNoteLabel = Remove/hide note when the annotated element is removed/hidden
DiagramGeneralPreferencePage_showSynchronizeStatusDecoratorLabel = Show synchronize status decorator on diagram
DiagramGeneralPreferencePage_sizeGroupLabel = Size of exported images
DiagramGeneralPreferencePage_synchronizedModeLabel = Synchronized mode for new diagrams
DiagramOutlineWithBookPages_filtersTooltip = Filters
DiagramOutlineWithBookPages_layersTooltip = Layers
DiagramPrintingPreferencePage_optionsGroupText = Options
DiagramPrintingPreferencePage_printDecorations = Print decorations
DiagramRepairParticipant_removeDiagramElementTaskName = remove Diagram Elements
DiagramRepairParticipant_restoreModelStateTaskName = Restoring model state
DiagramRepairParticipant_saveModelStateTaskName = Saving model state
DiagramSelectionWizardPage_message = Select Diagrams to export
DiagramSelectionWizardPage_title = Select diagrams to export
DiagramSelectionWizardPage_titleFor = Select diagrams to export for {0}
DistributeAction_centersHorizontallyLabel = Centers Horizontally
DistributeAction_centersVerticallyLabel = Centers Vertically
DistributeAction_distributeCentersHorizontallyLabel = Distribute Centers Horizontally
DistributeAction_distributeCentersHorizontallyTooltip = Distribute Centers Evenly Horizontally
DistributeAction_distributeCentersVerticallyLabel = Distribute Centers Vertically
DistributeAction_distributeCentersVerticallyTooltip = Distribute Centers Evenly Vertically
DistributeAction_distributeGapsHorizontallyLabel = Distribute Gaps Horizontally
DistributeAction_distributeGapsHorizontallyTooltip = Distribute With Uniform Gaps Horizontally
DistributeAction_distributeGapsVerticallyLabel = Distribute Gaps Vertically
DistributeAction_distributeGapsVerticallyTooltip = Distribute With Uniform Gaps Vertically
DistributeAction_gapsHorizontallyLabel = Gaps Horizontally
DistributeAction_gapsVerticallyLabel = Gaps Vertically
DistributeCommand_errorMsg = The distribution of selected elements can not be done.
DistributeMenuAction_text = &Distribute
DistributeMenuAction_tooltip = Distribute selected elements
DocumentationPropertySection_defaultLabel = Documentation:
DocumentationPropertySection_description = Use this field to save notes about this representation.
DoubleClickEditPolicy_layerConfirmDialogBody=Making visible this diagram element will activate the layer ''{0}''.
DoubleClickEditPolicy_confirmDialogTitle=Filter/layer update confirmation
DoubleClickEditPolicy_filterConfirmDialogBody=Making visible this diagram element will deactivate the filter(s) ''{0}''.
DoubleClickEditPolicy_confirmDialogAsking=Do you still want to make it visible?
EclipseImageSelectorDescriptor_extensionLoadingError = Error while loading the extension {0}
EdgeGroupMoveMessage = Move edge group
EdgeReconnectionHelper_invalidReconnectionKind = reconnectionKind must be ReconnectionKind.RECONNECT_SOURCE or ReconnectionKind.RECONNECT_TARGET
EdgeRoutingStyleChangedCommand_label = Change routing style
EdgesZOrderMigrationParticipant_title = Migration done for "Edges z-order" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration.):
EdgesZOrderMigrationParticipant_edgesOrderChanged = \n\t* The order of edges has been changed to keep same visual render in diagram "{0}".
EditPartTools_nullParameterMsg = root or editPartType is null
ExtendedPropertyDescriptor_categoryName = Extended
ExtendedPropertyDescriptor_description = Property source for the extension framework
ExtendedPropertyDescriptor_errorGettingValueMsg = Error while getting the property value
ExtendedPropertyDescriptor_errorRetrievingValueMsg = Error while retrieving reference values
ExtendedPropertyDescriptor_unknownExtensionMsg = unknown extension
ExtendedPropertySource_errorSettingValueMsg = Error while setting the property value
FilteringMode_allElements = all elements
FilteringMode_onlyCheckedElements = only checked elements
FilteringMode_onlyUncheckedElements = only unchecked elements
FiltersContributionItem_label = Filters
FiltersPropertySection_addButtonLabel = Add >
FiltersPropertySection_appliedFiltersLabel = Applied filters
FiltersPropertySection_availableFiltersLabel = Available filters
FiltersPropertySection_removeButtonLabel = < Remove
FiltersTableViewer_columnName = Filter
FontPropertySection_strikeThrough = StrikeThrough
FontPropertySection_underline = Underline
FormatDataHelperImpl_unkownFormatData = Formatdata of type {0} is unknown
GenericConnectionCreationTool_label = Generic Connection Creation Tool
GMFCommandWrapper_label = GMF Command Wrapper
GMFCommandWrapper_nullCommand = the command is null
GMFCommandWrapper_nullDomain = the domain is null
GMFHelper_invalidEdgeModelAndFigure = The model of the edgeEditPart should be a org.eclipse.gmf.runtime.notation.Edge and the figure of this edgeEditPart should be a org.eclipse.draw2d.Connection.
GMFNotationUtilities_edgeOnEdgeNotManaged = Edge on edge not managed
GridLayoutProvider_unknownMode = Unknown mode: {0}
Group_Not_Displayed = The group "{0}" can not be added. {1}
Group_No_Menu_ID = The menu with the id "{0}" has not been found.
HiddenElementsSelectionCommand_dialogMessage = Visible diagram elements are checked.
HiddenElementsSelectionCommand_dialogTitle = Diagram elements visibility
IAbstractDiagramNodeEditPart_createViewCommandLabel = Create View
IAbstractDiagramNodeEditPart_resizeCommandLabel = Resize
IBorderItemLocatorWrapper_nullLocator = The locator is null
IDiagramOutlinePage_outlineTooltip = Outline
IDiagramOutlinePage_overviewTooltip = Overview
Identifier_invalidNullObject = {0} cannot be null
ImageMarkerMassResolution_label=Image path global resolution: replace the first segments of the image path for all diagram nodes and model elements description
ImageMarkerRemove_label=Image remove: remove broken reference to image in diagram
ImageMarkerResolution_label=Image path resolution: select a new image for this marker
ImageSelectionDialog_imageNotFound=The image associated to the element "{0}" is not found.\nThere is no image with similar short name nor similar project or folder
ImageSelectionDialog_imageNotFound_shortNameFound=The image associated to the element "{0}" is not found\nNevertheless, an image with a similar short name has been found. 
ImageSelectionDialog_imageNotFound_folderFound=The image associated to the element "{0}" is not found\nNevertheless, a similar folder is found and preselected. 
ImageSelectionDialog_title = Select an image from the workspace
InitializeHiddenElementsCommand_label = Initialize hidden elements
InitializeLayoutCommand_label = Initialize layout
InsertBlankSpace_cmdName = Insert blank space
RemoveBlankSpace_cmdName = Remove blank space
ItemProvider_elementBasedEdge = Element Based Edge
ItemProvider_foregroundBackgroundLabel = {0} {1} to {2}
ItemProvider_relationBasedEdge = Relation Based Edge
LabelOnBorderMigrationParticipant_labelsModified = \n\t* In diagram "{0}", some labels coordinates have been changed in the model to keep the same displayed location.
LabelOnBorderMigrationParticipant_title = Migration done for "Label on border" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration.):
LaunchBehaviorContributionItem_launchBehaviorButtonLabel = Launch Behavior
LaunchBehaviorToolAction_label = Launch behavior rules
LayersCellModifier_layerSelectionChangesTaskName = Apply layer modifications...
LayersContribution_label = Layers
LayersTableViewer_columnName = Layer
LayoutDataHelperImpl_unkownLayoutData = Layoutdata of type {0} is unknown
LayoutData_illegalTarget = The target of a LayoutData can only be an AbstractDNode, a DEdge or a DDiagram.
LayoutProviderDescriptor_initializationErrorMsg = CoreException during the initialization of the AIR Layout Provider {0}
LayoutingModeSwitchingAction_label = Layouting Mode
LayoutingModeSwitchingAction_statusOn = Layouting Mode
LocationURI_ParsePb_Blank = The location URI has not been set. It must start at least by one of the accepted schemes: "{0}" or "{1}"
LocationURI_ParsePb_MoreThanTwoLocations = A maximum of two locations URI separated by a {0} can be set. You have currently {1} locations
LocationURI_ParsePb_NoId = There is no id after "{0}"
LocationURI_ParsePb_OnlyOneLocationURIPerScheme = Only one location URI can be set using scheme {0}
LocationURI_ParsePb_WrongFormat = The menu location URI has a wrong format. Expected "{0}" but is "{1}"
LocationURI_ParsePb_WrongScheme = The location URI does not start by one of the accepted scheme: "{0}" or "{1}"
MarkerObserver_validationMarkerFailureMsg = Validation marker refresh failure
MappingBasedDiagramContentDuplicationSwitch_ImpossibleToFindBestMapping=Impossible to find a suitable Mapping from BestMappingGetter for element: {0} 
MappingBasedDiagramContentDuplicationSwitch_ErrorImpossibleToCreateNodeFromNodeCandidate=Cannot create a new node based on node candidate [{0}] computed from source diagram element: {1}
MappingBasedDiagramContentDuplicationSwitch_ErrorImpossibleToCreateEdgeFromEdgeCandidate=Cannot create a new edge based on edge candidate [{0}] computed from source diagram element: {1}
MappingBasedSiriusFormatManagerFactory_ImpossibleToCopyNoteInNonExistingOrUnreachableTarget=Impossible to link note to non existing or unreachable target diagram element created from: {0}
MappingBasedSiriusFormatManagerFactory_ImpossibleToResolveOtherBoundTargetNote=Impossible to resolve edge's other bound target diagram note created from: {0}
MappingBasedSiriusFormatManagerFactory_ImpossibleToFindTargetTextNoteContainer=Impossible to find target diagram parent node for: {0}
MappingBasedSiriusFormatManagerFactory_ErrorMappingfunctionIncompleteOnSequenceDiagram=Source to target semantic mapping must provide a mapping for each semantic elements of the source sequence diagram: {0}
MappingBasedSiriusFormatManagerFactory_ErrorMappingfunctionIsEmpty=Source to target semantic mapping must not be empty
MappingBasedSiriusFormatManagerFactory_ErrorDiagramIsNull=Diagram parameters must not be null
MappingBasedSiriusFormatManagerFactory_ErrorTargetDiagramNameIsEmpty=Created target diagram name must not be empty
MappingBasedSiriusFormatManagerFactory_ErrorSourceAndTargetDiagramDecriptionsDoesNotMatch= Source diagram description "{0}" does not match with target diagram description "{1}", details:\n* Source diagram description "{2}"\n* Target diagram description "{3}"
MappingBasedSiriusFormatManagerFactory_ErrorSourceAndTargetDiagramsAreTheSame=Source and target diagrams must be different
MappingBasedSiriusFormatManagerFactory_ErrorSourceAndOrTargetSessionsNull=Source and/or target session must not be null
MappingBasedSiriusFormatManagerFactory_ErrorTargetDiagramRootIsNull=Target diagram root element must not be null
MappingBasedSiriusFormatManagerFactory_ImpossibleToSuitableDescription=Cannot find a representation description among descriptions [{0}] matching name "{1}" from target session: "{2}" 
MessageFormatParser_InvalidInputError=Invalid input at {0}
MessageFormatParser_ProxyOrNullSemanticTargetMessage=Something occurred during direct edit: semantic target of the applied direct edit is now null or proxy.
MessageFormatParser_ProxyOrNullTargetMessage=Something occurred during direct edit: target of the applied direct edit is now null or proxy.
MiscPropertySection_nullObject = null object
MiscPropertySource_errorGettingValueMsg = Error while getting property value
ModelElementSelectionPageMessage=Select model element:
MoveViewOperation_nullMoveDeltaError = moveDelta cannot be null
MoveViewOperation_nullViewError = view cannot be null
NavigationItemProvider_labelWithDescriptionName = {0} to {1}
NavigatorActionProvider_OpenDiagramActionName=Open Diagram
NavigatorGroupName_DDiagram_1000_links=links
NavigatorGroupName_DEdge_4001_source=source
NavigatorGroupName_DEdge_4001_target=target
NavigatorGroupName_DNodeContainer_2002_incominglinks=incoming links
NavigatorGroupName_DNodeContainer_2002_outgoinglinks=outgoing links
NavigatorGroupName_DNodeContainer_3008_incominglinks=incoming links
NavigatorGroupName_DNodeContainer_3008_outgoinglinks=outgoing links
NavigatorGroupName_DNodeList_2003_incominglinks=incoming links
NavigatorGroupName_DNodeList_2003_outgoinglinks=outgoing links
NavigatorGroupName_DNodeList_3009_incominglinks=incoming links
NavigatorGroupName_DNodeList_3009_outgoinglinks=outgoing links
NavigatorGroupName_DNode_2001_incominglinks=incoming links
NavigatorGroupName_DNode_2001_outgoinglinks=outgoing links
NavigatorGroupName_DNode_3001_incominglinks=incoming links
NavigatorGroupName_DNode_3001_outgoinglinks=outgoing links
NavigatorGroupName_DNode_3007_incominglinks=incoming links
NavigatorGroupName_DNode_3007_outgoinglinks=outgoing links
NavigatorGroupName_DNode_3012_incominglinks=incoming links
NavigatorGroupName_DNode_3012_outgoinglinks=outgoing links
NodeDeletionEditPolicy_deleteElementCommandLabel = Delete element
NodeMappingItemProvider_borderedLabel = Bordered {0}
OpenDiagramCommand_creationErrorMsg = Can''t create diagram of ''{0}'' kind
OpenDiagramCommand_exceptionMsg = Can't open diagram
OpenDiagramCommand_notDiagramElementErrorMsg = Can't open diagram -- getElement() is not an instance of Sirius
OpenDiagramCommand_saveFailedMsg = Save operation failed
OpenMenuContribution_menuLabel = Open
PaletteImageProvider_noIconFor = No icon is available for the tool {0}. A default icon has been set instead.
PaletteManagerImpl_alreadyExistingEntry = An existing palette entry with name {0} already exists but it is another kind of entry.
PaletteManagerImpl_severalCandidatesInPalette = Several {0}s with identical id ''{1}'' have been found in the palette. Please fix your VSM by whether set a different ID for these Palette entries or ensuring that they cannot be available in the same time.
PasteFromSiriusClipboardCommand_label = Generic Paste from clipboard
PasteFormatAction_commandLabel = Paste Format
PasteFormatAction_restoreFormatCommandLabel = Restore formats
PasteFormatAction_text = Paste format
PasteFormatAction_toolTipText_diagram = Paste the current recorded format (layout and style) to the selected diagram
PasteFormatAction_toolTipText_diagramElements = Paste the current recorded format (layout and style) to the selected elements
PasteFormatDataCommand_label = Paste format data
PasteLayoutAction_commandLabel = Paste Layout
PasteLayoutAction_restoreLayoutCommandLabel = Restore layouts
PasteLayoutAction_text = Paste layout
PasteLayoutAction_toolTipText_diagram = Paste the current recorded layout to the selected diagram
PasteLayoutAction_toolTipText_diagramElements = Paste the current recorded layout to the selected elements
PasteLayoutDataCommand_label = Paste layout data
PasteStyleAction_commandLabel = Paste Style
PasteStyleAction_restoreStyleCommandLabel = Restore styles
PasteStyleAction_text = Paste style
PasteStyleAction_toolTipText_diagram = Paste the current recorded style to the selected diagram
PasteStyleAction_toolTipText_diagramElements = Paste the current recorded style to the selected elements
PasteStyleDataCommand_label = Paste style data
PinElementsEclipseAction_text = Pin selected elements
PinnedElementsHandler_notMovableMsg = Pinned elements can not move
PinnedElementsHandler_remainOverlapsMsg = solvable but unsolved overlaps remain
PinnedElementsHandler_unknownDirection = Unknown direction
PinnedElementsSelectionCommand_dialogMessage = Pinned diagram elements are checked.
LayoutAlgorithmProviderRegistry_classInitialization=The PageProvider class ''{0}'' could not be initialized.
LayoutAlgorithmProviderRegistry_badClassType=The class ''{0}'' provided by the extension to extension point ''org.eclipse.sirius.ui.editor.airdEditoPageProvider'' is not an instance of ''org.eclipse.sirius.ui.editor.api.pages.PageProvider'' 
PopupMenuContribution_storeMouseLocationCmdLabel = Store mouse location
RefreshDiagramAction_cancelled = Cancelled
RefreshDiagramAction_error = Error
RefreshDiagramAction_refreshDiagramError = Error while refreshing diagram
RefreshDiagramOnOpeningCommand_label = Refresh diagram on opening
RefreshRunnableWithProgress_commandLabel = Refresh
RefreshRunnableWithProgress_taskName = Refresh
RegionCollapseAwarePropertyHandlerEditPolicy_collapseRegionCommandLabel = Collapse Region
RegionCollapseAwarePropertyHandlerEditPolicy_expandRegionCommandLabel = Expand Region
RegionCollapseAwarePropertyHandlerEditPolicy_gmfSizeUpdateCommandLabel = Update notation bounds
RegionContainerResizableEditPolicy_regionContainerAutoSizeCommandLabel = Region Container Auto Size Command
RegionContainerUpdateLayoutOperation_name = Layout Regions Operations
RegionResizableEditPolicy_regionAutoSizeCommandLabel = Region Auto Size Composite Command
RemoveBendpointsHandler_cmdLabel = Remove Bend-points
RemoveInvalidViewsCommand_label = Remove invalid views
RepairEdgesWithOneBendpointMigrationParticipant_edgesModified = \n\t* In diagram "{0}", bend-points of some edges have been recreated because there were less than two bend-points.
RepairEdgesWithOneBendpointMigrationParticipant_title = Migration done for "Invalid edge bend-points number" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration):
RepairGMFbendpointsMigrationParticipant_edgesModified = \n\t* In diagram "{0}", bend-points of some edges have been repaired because their GMF coordinates were not correct.
RepairGMFbendpointsMigrationParticipant_title = Migration done for "Wrong edge bend-points" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration):
RepresentationLinkMigrationParticipant_title = Link notes were migrated on the following diagrams:
RepresentationLinkMigrationParticipant_entry = * {0}
ResetOriginChangeModelOperation_name = Reset Origin
ResetOriginChangeModelOperation_nameOnContainer = Reset Container Origin
ResetOriginChangeModelOperation_nameOnDiagram = Reset Diagram Origin
ResetStylePropertiesToDefaultValuesAction_text = Reset style properties to default values
ResizeImageCommand_label = Update visibility
ResourceMissingDocumentProvider_defaultMessage = This diagram was not saved. You can close the editor
ResourceSelectionDialog_ImageTreeComposite_filterText = * = any string, ? = any character, \\ = escape for literals: *?\\
ResourceSelectionDialog_ImageTreeComposite_radioGridDisplay = Grid display
ResourceSelectionDialog_ImageTreeComposite_radioListDisplay = List display
RevealOutlineElementsAction_label = Show element
RevealOutlineLabelsAction_label = Show label
SVGFigure_loadError = Error loading SVG file ''{0}''
SVGFigure_usingInvalidBundledImageShape = Impossible to retrieve the SVG file to load because an invalid ID of a bundled image shape is used.
SVGImageRegistry_LoadImageError = Image with URI {0} can not be loaded.
SafeStyleConfiguration_customStyleInvocationError = Error while invoking custom style configuration: {0}
SaveAsImageFileAction_label = Export diagram as image
SelectDiagramElementBackgroundImageDialog_browseButtonText = Browse
SelectDiagramElementBackgroundImageDialog_pathLabelText = Path:
SelectDiagramElementBackgroundImageDialog_title = Select an image from the workspace
SelectHiddenElementsAction_tooltip = Show/Hide
SelectPasteModeDialog_absoluteModeLabel = Similar locations in absolute coordinates
SelectPasteModeDialog_absoluteModeTooltip = The paste applies a layout to conserve the absolute coordinates of copied elements (independently of the containment hierarchy in source or target).
SelectPasteModeDialog_boundingBoxModeLabel = Optimized locations by group
SelectPasteModeDialog_boundingBoxModeTooltip = The paste groups elements having the same container in the target diagram. Then it applies the copied layout of these elements relative to each other, while maintaining the same location for the group in the target diagram.
SelectPasteModeDialog_message = Select the desired paste mode:
SelectPasteModeDialog_pasteButtonLabel = Paste
SelectPasteModeDialog_rememberButtonLabel = Remember my decision
SelectPasteModeDialog_rememberButtonTooltip = This dialog will not be prompted at the next Paste.
SelectPasteModeDialog_tearDownCommandName = Teardown SelectPasteModeDialog command
SelectPasteModeDialog_title = Paste mode
SelectPinnedElementsAction_label = Diagram elements pinning
SelectPinnedElementsAction_tooltip = Pin/Unpin
SelectionWizardCommand_cancelExceptionMsg = User cancel operation
SetBestHeightHeaderCommand_label = Refresh graphical layout
SetChangeIdMigrationParticipant_title = Migration done for "representation Change ID": all the representations changeId have been updated with the absolute time stamp (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration)
SetConnectionBendpointsAccordingToExtremityMoveCommmand_sourceSidedLabel = Move first segment (on source side)
SetConnectionBendpointsAccordingToExtremityMoveCommmand_targetSidedLabel = Move last segment (on target side)
SetCurrentConcernCommand_label = Set current concern
SetDefaultConcernCommand_label = Set current concern to default
SetLabelsOffsetCommmand_label = Update labels offset
SetLayoutingModeCommandAndUpdateActionImage_activateLabel = Activating Layouting mode
SetLayoutingModeCommandAndUpdateActionImage_deactivateLabel = Deactivating Layouting mode
SetLayoutingModeCommand_activateLabel = Activating Layouting mode
SetLayoutingModeCommand_deactivateLabel = Deactivating Layouting mode
SetShowingModeCommandAndUpdateActionImage_activateLabel = Activating Visibility mode
SetShowingModeCommandAndUpdateActionImage_deactivateLabel = Deactivating Visibility mode
SetStyleToWorkspaceImageAction_text = Set style to workspace image
ShiftDirectBorderedNodesOperation_name = Shift bordered nodes'' positions by {0}
ShowingModeSwitchingAction_label= Visibility Mode
ShowingModeSwitchingAction_statusOn = Visibility Mode
SimpleImageTranscoder_svgImageTranscodingError = Error transcoding SVG image
SimpleStyleConfiguration_iconFileNotFound = Icon file "{0}" not found
SiriusBaseItemSemanticEditPolicy_deleteCmdLabel = Delete element
SiriusBaseItemSemanticEditPolicy_deleteFromDiagramCmdLabel = Delete element from diagram
SiriusCanonicalLayoutCommand_label = Arrange Created views
SiriusClipboardGlobalActionHandler_addLayoutDataCommandLabel = Add layout data
SiriusClipboardGlobalActionHandler_pasteCommandLabel = Paste ...
SiriusClipboardGlobalActionHandler_severalFoundPasteToolError = There are more than one paste description that match the target container: {1} ({2} and {3}).
SiriusContainerDropPolicy_dropElementsCommandLabel = Drop Elements
SiriusContainerDropPolicy_saveEditPartLayoutCommandLabel = Save layout for edit part
SiriusContainerEditPolicy_arrangeCommandLabel = Arrange Command
SiriusCopyAppearancePropertiesAction_tooltipMessage = Apply the applicable appearance properties of the last selected shape to the other selected shapes.
SiriusCreationWizardCreationError=Creation Problems
SiriusCreationWizardOpenEditorError=Error opening diagram editor
SiriusCreationWizardPageExtensionError=File name should have {0} extension.
SiriusCreationWizardTitle=New Sirius Diagram
SiriusCreationWizard_DiagramModelFilePageDescription=Select file that will contain diagram model.
SiriusCreationWizard_DiagramModelFilePageTitle=Create Sirius Diagram
SiriusCreationWizard_DomainModelFilePageDescription=Select file that will contain domain model.
SiriusCreationWizard_DomainModelFilePageTitle=Create Sirius Diagram
SiriusDiagramActionBarContributor_deleteFromDiagram = Delete from Diagram
SiriusDiagramActionBarContributor_deleteFromModel = Delete from Model
SiriusDiagramActionBarContributor_hideElement = Hide element
SiriusDiagramActionBarContributor_showElement = Show element
SiriusDiagramActionBarContributor_hideLabel = Hide label
SiriusDiagramActionBarContributor_launchBehavior = Launch behavior
SiriusDiagramActionBarContributor_refreshDiagram = Refresh diagram
SiriusDiagramActionBarContributor_revealElement = Reveal elements
SiriusDiagramEditorUtil_CreateDiagramCommandLabel=Creating diagram and model
SiriusDiagramEditorUtil_CreateDiagramProgressTask=Creating diagram and model files
SiriusDiagramEditorUtil_OpenModelResourceErrorDialogMessage=Failed to load model file {0}
SiriusDiagramEditorUtil_OpenModelResourceErrorDialogTitle=Error
SiriusDiagramEditorUtil_charsetError = Unable to set charset for file {0}
SiriusDiagramEditorUtil_defaultFileName = default
SiriusDiagramEditorUtil_modelAndDiagramCreationError = Unable to create model and diagram
SiriusDiagramEditorUtil_modelAndDiagramResourceSaveError = Unable to store model and diagram resources
SiriusDiagramEditor_SaveAsErrorMessage=Save could not be completed. Target file is already open in another editor.
SiriusDiagramEditor_SaveAsErrorTitle=Problem During Save As...
SiriusDiagramEditor_SaveErrorMessage=Could not save file.
SiriusDiagramEditor_SaveErrorTitle=Save Problems
SiriusDiagramEditor_SavingDeletedFile=The original file "{0}" has been deleted.
SiriusDiagramGraphicalViewer_tooltipDisplayDelay = Changing tooltip display delay failed.
SiriusDiagramSelectionCheckStateListener_errorMsg = You must select Diagrams
SiriusDiagramSelectionCheckStateListener_unknwonCodeResult = Unknown code result
SiriusDocumentProvider_DiagramLoadingError=Error loading diagram
SiriusDocumentProvider_IncorrectInputError={1}
SiriusDocumentProvider_NoDiagramInResourceError=Diagram is not present in resource
SiriusDocumentProvider_SaveAsOperation=Saving {0} diagram as
SiriusDocumentProvider_SaveDiagramTask=Saving diagram
SiriusDocumentProvider_SaveNextResourceTask=Saving {0}
SiriusDocumentProvider_UnsynchronizedFileSaveError=The file has been changed on the file system
SiriusDocumentProvider_handleElementContentChanged=Failed to refresh hierarchy for changed resource
SiriusDocumentProvider_isModifiable=Updating cache failed
SiriusEdgeSnapBackAction_EdgeSnapBackActionToolTipText=Snap Back Label(s)
SiriusEdgeSnapBackAction_EdgeSnapBackLabel=Snap &Back Label(s)
SiriusEdgeSnapBackAction_EdgeSnapBackCommandLabel=Snap Back Label(s)
SiriusElementChooserDialog_SelectModelElementTitle=Select model element
SiriusEnhancedPrintActionHelper_invalidIworkbenchPart = Invalid IWorkbenchPart
SiriusInitDiagramFileAction_InitDiagramFileResourceErrorDialogMessage=Model file loading failed
SiriusInitDiagramFileAction_InitDiagramFileResourceErrorDialogTitle=Error
SiriusInitDiagramFileAction_InitDiagramFileWizardTitle=Initialize new {0} diagram file
SiriusInitDiagramFileAction_OpenModelFileDialogTitle=Select domain model
SiriusInitDiagramFileAction_loadResourceError = Unable to load resource: {0}
SiriusLayoutDataManagerImpl_addCenterLayoutMarkerCommandLabel = Add center layout marker on view
SiriusLayoutDataManagerImpl_addLayoutMarkerCommandLabel = Add layout marker on view
SiriusLayoutDataManagerImpl_addLayoutMarkerOnOpeningCommandLabel = Add layout marker on view on opening diagram
SiriusLayoutDataManagerImpl_createdViewsArrangCommandLabel = Arrange created views
SiriusLayoutDataManagerImpl_unhandledContainerKind = This kind of container  ({0}) is not yet managed by the LayoutDataManager.
SiriusMarkerNavigationProvider_validationMarkerCreationError = Failed to create validation marker
SiriusModelingAssistantProviderMessage=Available domain model elements:
SiriusModelingAssistantProviderTitle=Select domain model element
SiriusNewDiagramFileWizard_CreationPageDescription=Create new diagram based on {0} model content
SiriusNewDiagramFileWizard_CreationPageName=Initialize new diagram file
SiriusNewDiagramFileWizard_CreationPageTitle=Diagram file
SiriusNewDiagramFileWizard_IncorrectRootError=Incorrect model object stored as a root resource object
SiriusNewDiagramFileWizard_InitDiagramCommand=Initializing diagram contents
SiriusNewDiagramFileWizard_RootSelectionPageDescription=Select semantic model element to be depicted on diagram
SiriusNewDiagramFileWizard_RootSelectionPageInvalidSelectionMessage=Invalid diagram root element is selected
SiriusNewDiagramFileWizard_RootSelectionPageName=Select diagram root element
SiriusNewDiagramFileWizard_RootSelectionPageNoSelectionMessage=Diagram root element is not selected
SiriusNewDiagramFileWizard_RootSelectionPageSelectionTitle=Select diagram root element:
SiriusNewDiagramFileWizard_RootSelectionPageTitle=Diagram root element
SiriusNewDiagramFileWizard_errorDuringCreation = Unable to create model and diagram
SiriusNewDiagramFileWizard_errorDuringOpening = Unable to open editor
SiriusNewDiagramFileWizard_invalidDiagramRootElement = Diagram root element must be specified
SiriusNewDiagramFileWizard_invalidDomainModelURI = Domain model uri must be specified
SiriusNewDiagramFileWizard_invalidEditingDomain = Editing domain must be specified
SiriusNewDiagramFileWizard_saveFailed = Save operation failed for: {0}
SiriusNewDiagramFileWizard_unsupportedURI = Unsupported URI: {0}
SiriusPropertyHandlerEditPolicy_applyAppearancePropertiesCommandLabel = Apply appearance properties
SiriusPropertyHandlerEditPolicy_applyTabbarPropertiesCommandLabel = Apply toolbar properties
SiriusPropertyHandlerEditPolicy_chainedStyleCommandDebugLabel = Chained Style Command
SiriusReorientConnectionViewCommand_nullChild = Null child in SiriusReorientConnectionViewCommand
SiriusReorientConnectionViewCommand_nullEdge = Null edge in SiriusReorientConnectionViewCommand
SiriusStatusLineContributionItemProvider_diagramSynchronized = Synchronized diagram
SiriusStatusLineContributionItemProvider_diagramUnsynchronized = Unsynchronized diagram
SiriusSWTRenderedDiagramPrinter_jobLabel = Printing
SiriusSWTRenderedDiagramPrinter_printerNotSetMsg = printer must be set
SiriusValidationDecoratorProvider_refreshFailureMsg = Decorator refresh failure
SiriusValidationProvider_validationFailed = Validation action failed
SiriusVisualIDRegistry_parseError = Unable to parse view type as a visualID number: {0}
SnapBackDistantLabelsMigrationParticipant_oneLabelSnapBacked = \n\t* One label of edge has been reset to its default location in diagram "{0}".
SnapBackDistantLabelsMigrationParticipant_nodesMoved = \u0020Some nodes have also been moved as the layout of this diagram is corrupted. A Reset Origin and/or manual layout is probably needed for this diagram.
SnapBackDistantLabelsMigrationParticipant_severalLabelsSnapBacked = \n\t* {0} labels of edge have been reset to their default location in diagram "{1}".
SnapBackDistantLabelsMigrationParticipant_title = Migration done for "Corrupted edge labels" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration):
SpecificationMenuContribution_openDefinitionMenuLabel = Open Definition
StandardDiagramServices_sameETypeTitle = Select all elements of type
StandardDiagramServices_sameETypeMessage = Choose the domain class of elements to select:
StandardDiagramServices_sameETypeTooltip = Type the name of the domain class of elements to select.\nFor instance in Ecore you can have 'ecore::EReference'.
StandardDiagramServices_expressionTitle = Select all elements returned by an expression
StandardDiagramServices_expressionMessage = Expression returning the views to select:
StandardDiagramServices_expressionTooltip = Expression returning the views to select.\nFor example: aql:self.ownedDiagramElements->select( dde | dde.name.startsWith('C0'))
StatusDecorator_validationMarkersFailureMsg = Validation markers refresh failure
StatusDecorator_viewIdAccessFailureMsg = ViewID access failure
StraightenToAction_commandLabel = Straighten edges To
StraightenToAction_toTopLabel = To top
StraightenToAction_toTopTooltip = Straighten to top
StraightenToAction_toBottomLabel = To bottom
StraightenToAction_toBottomTooltip = Straighten to bottom
StraightenToAction_toLeftLabel = To left
StraightenToAction_toLeftTooltip = Straighten to left
StraightenToAction_toRightLabel = To right
StraightenToAction_toRightTooltip = Straighten to right
StraightenToAction_LeftSidePinnedLabel = With left side pinned
StraightenToAction_LeftSidePinnedTooltip = Straighten with left side pinned
StraightenToAction_RightSidePinnedLabel = With right side pinned
StraightenToAction_RightSidePinnedTooltip = Straighten with right side pinned
StraightenToAction_TopSidePinnedLabel = With top side pinned
StraightenToAction_TopSidePinnedTooltip = Straighten with top side pinned
StraightenToAction_BottomSidePinnedLabel = With bottom side pinned
StraightenToAction_BottomSidePinnedTooltip = Straighten with bottom side pinned
StraightenToCommand_errorMsg = The selected elements can not be straightened as requested.
StraightenToMenuAction_text = Straighten
StraightenToMenuAction_tooltip = Straighten selected edges
StyleConfigurationRegistry_disableStyleConfigurationProviderInError = The style configuration provider {0} has thrown an exception in its provides method and has been deactivated.
StyleConfigurationRegistry_profilerTaskName = get style configuration
StyleConfigurationRegistry_styleConfigurationProviderLoadError = Impossible to load the style configuration provider: {0}
SubDiagramDecorator_taskName = SubDiagramDecorator refresh
SubDiagramMenu_newLabel = New
SynchronizedDiagramCommand_unsynchronizedLabel = Unsynchronized
SynchronizeStatusFigure_diagSynchronized = Diagram is synchronized
SynchronizeStatusFigure_diagUnsynchronized = Diagram is unsynchronized
ToggleFoldingStateCommand_label = Toggle edges folding state
ToggleUpdateManager_fieldAccessError = Error while getting the {0} field.
TreeLayoutSetConnectionAnchorsCommand_nullChildInSetConnectionAnchorsCommand = Null child in SetConnectionAnchorsCommand
TreeLayoutSetConnectionAnchorsCommand_nullEdgeInSetConnectionAnchorsCommand = Null edge in SetConnectionAnchorsCommand
UnpinElementsEclipseAction_text = Unpin selected elements
UpdateGMFEdgeStyleCommand_label = Update GMF Edge Style
UpdateVisibilityCommand_label = Update visibility
UndoRedoCapableEMFCommandFactory_insertHorizontalBlankSpaceNotImplemented = The insertion of horizontal blank space is not implemented for this kind of diagram.
ValidateActionMessage=Validate
ValidateAction_failureMessage = Validation action failed
ValidationFixResolution_editorOpeningError = Can''t open editor for {0}
ValidationPropertySection_activatedRulesLabel = Activated rules
ValidationPropertySection_availableRulesLabel = Available rules
ViewOrderingProviderRegistry_viewOrderingProvider_loadingProblem = Impossible to load the view ordering provider : {0}
VisibilityUpdateCommand_label = Update view visibility
WorkspaceImageChangeDetector_invalidUri = Invalid uri: {0}
WorkspaceImageFigureRefresher_imageDescriptorUpdateError = Update image descriptor failed.
WorkspaceImageGMFBoundsMigrationParticipant_GMFBoundsResized = \n\t* GMF bounds of WorkspaceImage have been resized according to its Size Computation Expression in diagram "{0}".
WorkspaceImageGMFBoundsMigrationParticipant_title = Migration done for "WorkspaceImage GMF Bounds" (Ensure the session is saved to persist the migration effects. Please have a look at documentation about the project migration):
WorkspaceImagePathSelector_dialogMessage = Select the image file:
WorkspaceImagePathSelector_dialogTitle = Background image
WorkspacePathValidator_invalidPahtStatusMessage = NonExistingImageResource
WorkspacePathValidator_invalidPathDecorationDescriptionText = The specified path does not correspond to an image in the workspace or in the runtime
ResetToDefaultFiltersAction_text = Reset to default filters
ResetToDefaultFiltersAction_tooltip = Reset diagram to its initial filters
_UI_BundledImage_providedShapeID_feature = Provided Shape ID
_UI_BundledImageShape_providedShape_literal = providedShape
_UI_BundledImageDescription_providedShapeID_feature = Provided Shape ID
_UI_VariableValue_type = Variable Value
_UI_TypedVariableValue_type = Typed Variable Value
_UI_EObjectVariableValue_type = EObject Variable Value
_UI_TypedVariableValue_value_feature = Value
_UI_EObjectVariableValue_modelElement_feature = Model Element
_UI_TypedVariableValue_variableDefinition_feature = Variable Definition
_UI_EObjectVariableValue_variableDefinition_feature = Variable Definition
_UI_NodeStyleDescription_forbiddenSides_feature = Forbidden Sides
_UI_Side_WEST_literal = WEST
_UI_Side_SOUTH_literal = SOUTH
_UI_Side_EAST_literal = EAST
_UI_Side_NORTH_literal = NORTH
_UI_NodeStyleDescription_forbiddenSides_description = Authorized sides on the parent node or container.
_UI_DDiagram_activatedTransientLayers_feature = Activated Transient Layers
_UI_DDiagramElement_transientDecorations_feature = Transient Decorations
_UI_DDiagram_isInShowingMode_feature = Is In Showing Mode
_UI_DiagramDescription_backgroundColor_feature = Background Color
_UI_BackgroundPropertyCategory = Background
_UI_DiagramDescription_backgroundColor_description = Color of the diagram background, white if unset.
_UI_LayoutOption_type = Layout Option
_UI_LayoutProviderById_ID_feature = ID
_UI_LayoutProviderById_label_feature = Label
_UI_LayoutProviderById_layoutOptions_feature = Layout Options
_UI_LayoutOption_Name_feature = Name
_UI_LayoutOption_value_feature = Value
_UI_CustomLayoutConfiguration_type = Custom Layout Configuration
_UI_CustomLayoutConfiguration_id_feature = Id
_UI_CustomLayoutConfiguration_label_feature = Label
_UI_CustomLayoutConfiguration_layoutOptions_feature = Layout Options
_UI_LayoutOption_name_feature = Name
_UI_BooleanLayoutOption_type = Boolean Layout Option
_UI_IntegerLayoutOption_type = Integer Layout Option
_UI_DoubleLayoutOption_type = Double Layout Option
_UI_EnumLayoutOption_type = Enum Layout Option
_UI_EnumLayoutValue_type = Enum Layout Value
_UI_GenericLayout_description_feature = Description
_UI_LayoutOption_name_feature = Name
_UI_LayoutOption_description_feature = Description
_UI_BooleanLayoutOption_value_feature = Value
_UI_IntegerLayoutOption_value_feature = Value
_UI_DoubleLayoutOption_value_feature = Value
_UI_EnumLayoutOption_value_feature = Value
_UI_EnumLayoutValue_value_feature = Value
_UI_StringLayoutOption_type = String Layout Option
_UI_LayoutOption_id_feature = Id
_UI_LayoutOption_label_feature = Label
_UI_StringLayoutOption_value_feature = Value
_UI_EnumLayoutOption_choices_feature = Choices
_UI_EnumLayoutValue_description_feature = Description
_UI_EnumLayoutValue_name_feature = Name
_UI_CustomLayoutConfiguration_description_feature = Description
_UI_EnumSetLayoutOption_type = Enum Set Layout Option
_UI_EnumSetLayoutOption_value_feature = Value
_UI_EnumSetLayoutOption_choices_feature = Choices
_UI_EnumSetLayoutOption_values_feature = Values
_UI_EnumOption_type = Enum Option
_UI_EnumOption_choices_feature = Choices
_UI_LayoutOptionTarget_PARENT_literal = PARENT
_UI_LayoutOptionTarget_NODE_literal = NODE
_UI_LayoutOptionTarget_EDGE_literal = EDGE
_UI_LayoutOptionTarget_PORTS_literal = PORTS
_UI_LayoutOptionTarget_LABEL_literal = LABEL
_UI_LayoutOption_target_feature = Target
_UI_LayoutOption_targets_feature = Targets
_UI_HideLabelFilter_childrenToHide_feature = Children To Hide
_UI_DDiagram_hiddenLabels_feature = Hidden Labels
_UI_HideLabelFilter_hiddenLabels_feature = Hidden Labels
_UI_EdgeArrows_CirclePlus_literal = Circle Plus
_UI_EdgeArrows_Dot_literal = Dot
_UI_EdgeArrows_InputArrowWithDot_literal = Input Arrow With Dot
_UI_EdgeArrows_DiamondWithDot_literal = Diamond With Dot
_UI_EdgeArrows_FillDiamondWithDot_literal = Fill Diamond With Dot
_UI_EdgeArrows_InputArrowWithDiamondAndDot_literal = Input Arrow With Diamond And Dot
_UI_EdgeArrows_InputArrowWithFillDiamondAndDot_literal = Input Arrow With Fill Diamond And Dot

Back to the top