Skip to main content
aboutsummaryrefslogtreecommitdiffstats
blob: 9b9f903f520824fd14c19a1caaeb403d8e2e3ad4 (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
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
###############################################################################
# Copyright (c) 2000, 2012 IBM Corporation and others.
# All rights reserved. This program and the accompanying materials
# are made available under the terms of the Eclipse Public License v1.0
# which accompanies this distribution, and is available at
# http://www.eclipse.org/legal/epl-v10.html
#
# Contributors:
#     IBM Corporation - initial API and implementation
#     Code 9 Corporation - on going enhancements and maintenance
###############################################################################
#####################################
# PDE resource strings
# Part 1.    (DO NOT TRANSLATE Part 1)
# These are the non-translable properties.
#####################################

ProjectNamesPage_duplicateNames=Duplicate project names.

#####################################
# PDE resource strings
# Part 2.    (TRANSLATE Part 2)
# These are the translable properties.
#####################################

UpdateManager_noUndo = &Undo@Ctrl+Z
UpdateManager_noRedo = &Redo@Ctrl+Y
UpdateManager_undo = &Undo {0}@Ctrl+Z
UpdateManager_redo = &Redo {0}@Ctrl+Y
UpdateManager_op_add= Add
UpdateManager_op_remove= Remove
UpdateManager_op_change= Property Change

########################################################

PluginModelManager_outOfSync = (out of sync)

###### Status text #####################################
ExportDestinationTab_InstallIntoCurrentPlatform=&Install into host. Repository:
ExportPackageVisibilitySection_unconditional=visible to downstream plug-ins
Errors_CreationError = Wizard Creation Error
Errors_CreationError_NoWizard = Wizard could not be created.

MissingResourcePage_unableToOpen=Unable to open editor

###### Reusable Parts ################################
WizardCheckboxTablePart_selectAll = &Select All
WizardCheckboxTablePart_deselectAll = D&eselect All
WizardCheckboxTablePart_select = Se&lect
WizardCheckboxTablePart_deselect = &Deselect
WizardCheckboxTablePart_counter = {0} of {1} selected.

###### Editors #######################################

############ Outline #################################
ToggleLinkWithEditorAction_label = Lin&k with Editor
ToggleLinkWithEditorAction_toolTip = Link with Editor
ToggleLinkWithEditorAction_description = Link with active editor
PDECompilersConfigurationBlock_0=Missing 'output.<&library>' entry:
PDECompilersConfigurationBlock_1=Problems with 's&ource.<library>' entry:
PDECompilersConfigurationBlock_2=Problems with 'output.<libr&ary>' entry:
PDECompilersConfigurationBlock_3=Proble&ms with 'bin.includes' entry:
PDECompilersConfigurationBlock_4=Problems with 'src.inclu&des' entry:
PDECompilersConfigurationBlock_5=Missing or incompatible &Java compliance properties:
PDECompilersConfigurationBlock_6=Missing project specific Java compiler settings:
PDECompilersConfigurationBlock_7=Missing or incorrect file encodings
PDECompilersConfigurationBlock_general=General
PDECompilersConfigurationBlock_versioning=Versioning
PDECompilersConfigurationBlock_references=References
PDECompilersConfigurationBlock_setting_changed_project=Compiler settings have changed. A rebuild of the project is required for the changes to take effect.\n\nRebuild {0} now?
PDECompilersConfigurationBlock_settings_changed=Settings Changed
PDECompilersConfigurationBlock_settings_changed_all=Compiler settings have changed. A full build is required for the changes to take effect.\n\nDo a full build now?
PDECompilersConfigurationBlock_usage=Usage
PDECompilersConfigurationBlock_build=Build
PDEMultiPageContentOutline_SortingAction_label = Sort
PDEMultiPageContentOutline_SortingAction_tooltip = Sort
PDEMultiPageContentOutline_SortingAction_description = Sorts elements in the outline

######## build.properties editor #####################
BuildEditor_BuildPage_title = Build Configuration
BuildEditor_AddLibraryDialog_label=Enter new library name or select a runtime library below:

BuildEditor_RuntimeInfoSection_title = Runtime Information
BuildEditor_RuntimeInfoSection_desc = Define the libraries, specify the order in which they should be built, and \
list the source folders that should be compiled into each selected library.
BuildEditor_RuntimeInfoSection_duplicateLibrary = Selected library already exists.
BuildEditor_RuntimeInfoSection_duplicateFolder = Selected folder already exists.
BuildEditor_RuntimeInfoSection_addLibrary = Add Library...
BuildEditor_RuntimeInfoSection_popupAdd = &Add Library...
BuildEditor_RuntimeInfoSection_addFolder = Add Folder...
BuildEditor_RuntimeInfoSection_popupFolder = &Add Folder...
BuildExecutionEnvironmentSection_configure=Configure JRE associations...

BuildEditor_SrcSection_title = Source Build
BuildEditor_SrcSection_desc = Select the folders and files to include in the source build.
BuildEditor_BinSection_title = Binary Build
BuildEditor_BinSection_desc = Select the folders and files to include in the binary build.

BuildEditor_ClasspathSection_add = Add JARs...
BuildEditor_SourceFolderSelectionDialog_button = Create New Folder...
BuildEditor_ClasspathSection_remove = Remove
BuildEditor_ClasspathSection_title = Extra Classpath Entries
BuildEditor_ClasspathSection_desc = List any extra libraries required on the plug-in's classpath for successful compilation.
BundleSourcePage_renameActionText=Rename {0}...
BuildEditor_ClasspathSection_jarsTitle = JAR Selection
BuildEditor_ClasspathSection_jarsDesc = Choose JAR archives to be added to the build path:

######## Feature Manifest Editor ####################
FeatureBlock_AdditionalPluginsEntry=Additional {0}
FeatureBlock_AddPluginsLabel=Add {0}&...
FeatureBlock_AllFeatureSelected=All available features have been selected.
FeatureBlock_RemovePluginsLabel=Rem&ove {0}
FeatureBlock_addRequiredFeatues=Select Re&quired
FeatureBlock_default=Default
FeatureBlock_defaultPluginResolution=Default Plug-in Location:
FeatureBlock_features=ID
FeatureBlock_pluginResolution=Plug-in Location
FeatureBlock_externalBefore=E&xternal
FeatureBlock_ExternalResolutionLabel=External
FeatureBlock_FeatureGroupDescription=The features selected below and all required plug-ins will be launched.
FeatureBlock_SelectFeatures=Sele&ct Features...
FeatureBlock_UseWorkspaceFeatures=Use features from works&pace if available
FeatureBlock_workspaceBefore=Wor&kspace
FeatureBlock_WorkspaceResolutionLabel=Workspace
FeatureEditor_BuildAction_label = &Export...
FeatureEditor_FeaturePage_title = Overview
FeatureEditor_InfoPage_title = Information
FeatureEditor_InfoPage_heading = Information
FeatureEditor_ReferencePage_title = Plug-ins
FeatureEditor_ReferencePage_heading = Plug-ins and Fragments
FeatureEditor_IncludesPage_title = Included Features
FeatureEditor_IncludesPage_heading = Included Features
FeatureEditor_DependenciesPage_heading = Dependencies
FeatureEditor_DependenciesPage_title = Dependencies

FeatureEditor_PortabilityChoicesDialog_title = Portability Choices
FeatureEditor_PortabilityChoicesDialog_choices = &Valid values:

FeatureEditor_SpecSection_title = General Information
FeatureEditor_SpecSection_desc = This section describes general information about this feature.
FeatureEditor_SpecSection_desc_patch = This section describes general information about this patch feature.
FeatureEditor_SpecSection_id = ID:
FeatureEditor_SpecSection_patchedId = Feature ID:
FeatureEditor_SpecSection_name = Name:
FeatureEditor_SpecSection_version = Version:
FeatureEditor_SpecSection_patchedVersion = Feature Version:
FeatureEditor_SpecSection_provider = Vendor:
FeatureEditor_SpecSection_plugin = Branding Plug-in:
FeatureEditor_SpecSection_updateUrlLabel = Update Site Name:
FeatureEditor_SpecSection_updateUrl = Update Site URL:
FeatureEditor_SpecSection_synchronize = Versions...
FeatureEditor_SpecSection_badVersionTitle = Version Format Error
FeatureEditor_SpecSection_badVersionMessage = Version must be in format 'major.minor.micro'
FeatureEditor_SpecSection_badUrlTitle = Invalid URL
FeatureEditor_SpecSection_badUrlMessage = The text entered for the update site URL is not a valid URL.
FeatureEditor_PortabilitySection_title = Supported Environments
FeatureEditor_PortabilitySection_desc = Specify environment combinations in which this feature can be installed. \
Leave blank if the feature does not contain platform-specific code.
FeatureEditor_PortabilitySection_os = Operating Systems:
FeatureEditor_PortabilitySection_ws = Window Systems:
FeatureEditor_PortabilitySection_nl = Languages:
FeatureEditor_PortabilitySection_arch = Architecture:
FeatureEditor_PortabilitySection_edit = Browse ...

FeatureEditor_IncludedFeatures_title = Included Features
FeatureEditor_IncludedFeatures_desc = Create a composite feature by including references to other features.
FeatureEditor_IncludedFeatures_new = Add...
FeatureEditor_IncludedFeatures_up = Up
FeatureEditor_IncludedFeatures_down = Down
FeatureEditor_IncludedFeatures_sortAlpha = Sort the Features alphabetically

SiteEditor_IncludedFeaturesDetailsSection_title = Included Feature Details
SiteEditor_IncludedFeaturesDetailsSection_desc = Specify a name of the included feature, displayed when the feature is not installed.  Indicate if the included feature is optional.
SiteEditor_IncludedFeaturesDetailsSection_featureLabel = Feature Name:
SiteEditor_IncludedFeaturesDetailsSection_optional = The feature is optional
SiteEditor_IncludedFeaturesDetailsSection_searchLocation = When searching for patches to this included feature, contact
SiteEditor_IncludedFeaturesDetailsSection_root = the update site for the parent feature
SiteEditor_IncludedFeaturesDetailsSection_self = the update site for the included feature
SiteEditor_IncludedFeaturesDetailsSection_both = both

FeatureEditor_IncludedFeaturePortabilitySection_title = Included Feature Environments
FeatureEditor_IncludedFeaturePortabilitySection_desc = Specify environment combinations in which the included feature can be installed. \
Leave blank if the feature does not contain platform-specific code.

FeatureEditor_InfoSection_desc = Enter description, license and copyright information. Optionally, \
provide links to update sites for installing additional features.

FeatureEditor_InfoSection_url = Optional URL:
FeatureEditor_InfoSection_text = Text:
FeatureEditor_info_description = Feature Description
FeatureEditor_info_license = License Agreement
FeatureEditor_info_copyright = Copyright Notice
FeatureEditor_info_discoveryUrls = Sites to Visit

FeatureEditor_licenseFeatureSection_browse = Browse...
FeatureEditor_licenseFeatureSection_sharedButton = Shared license
FeatureEditor_licenseFeatureSection_featureID = License Feature ID:
FeatureEditor_licenseFeatureSection_featureVersion = License Feature Version:
FeatureEditor_licenseFeatureSection_localButton = Local license

FeatureEditor_PluginSection_pluginTitle = Plug-ins and Fragments
FeatureEditor_PluginSection_pluginDesc = Select plug-ins and fragments that should be packaged in this feature.
FeatureEditor_PluginSection_new = Add...
FeatureEditor_PluginSection_sortAlpha = Sort the Plug-ins and Fragments alphabetically

FeatureEditor_PluginPortabilitySection_title = Plug-in Environments
FeatureEditor_PluginPortabilitySection_desc = Specify environment combinations in which the selected plug-in can be installed. \
Leave blank if the plug-in does not contain platform-specific code.

SiteEditor_PluginDetailsSection_title = Plug-in Details
SiteEditor_PluginDetailsSection_desc = Specify installation details for the selected plug-in.
SiteEditor_PluginDetailsSection_pluginLabel = Name:
SiteEditor_PluginDetailsSection_downloadSize = Download Size (kB):
SiteEditor_PluginDetailsSection_installSize = Installation Size (kB):
SiteEditor_PluginDetailsSection_unpack = Unpack the plug-in archive after the installation

FeatureEditor_DataSection_title = Feature Data
FeatureEditor_DataSection_desc = Select non-plug-in data archives that should be packaged in this feature.
FeatureEditor_DataSection_new = Add...

SiteEditor_DataDetailsSection_title = Data Archive Details
SiteEditor_DataDetailsSection_desc = Specify size (in kB) for the non-plug-in data archives.
SiteEditor_DataDetailsSection_downloadSize = Download Size:
SiteEditor_DataDetailsSection_installSize = Installation Size:

FeatureEditor_DataDetailsSection_title = Data Archive Environments
FeatureEditor_DataDetailsSection_desc = Specify environment combinations in which the selected archive can be installed. \
Leave blank if the archive does not contain platform-specific code.

FeatureExportJob_name=Export Features

FeatureEditor_RequiresSection_title = Required Features/Plug-ins
FeatureEditor_RequiresSection_desc = Compute plug-ins that will need to be present before installing this feature.
FeatureEditor_RequiresSection_sync = Recompute when feature plug-ins change
FeatureEditor_RequiresSection_compute = Compute
FeatureEditor_RequiresSection_plugin = Add Plug-in...
FeatureEditor_RequiresSection_feature = Add Feature...
FeatureEditor_RequiresSection_sortAlpha = Sort the Features/Plug-ins alphabetically

FeatureEditor_URLSection_desc = Add URLs of other update sites to visit while looking for new features.
FeatureEditor_URLSection_new = Add
FeatureEditor_exportTooltip=Export a deployable feature
FeatureEditor_URLSection_newDiscoverySite = New discovery site
FeatureEditor_URLSection_newURL = http://newsite
FeatureEditor_URLDetailsSection_desc = Specify a meaningful site name and the site URL.
FeatureEditor_URLDetailsSection_updateUrlLabel = Name:
FeatureEditor_URLDetailsSection_updateUrl = URL:
FeatureEditor_URLDetailsSection_badUrlTitle = Invalid URL
FeatureEditor_URLDetailsSection_badUrlMessage = The text entered for the update site URL is not a valid URL.


FeatureEditor_InfoPage_ContentSection_title = Feature Content
FeatureEditor_InfoPage_ContentSection_text = <form>\
<p>The content of the feature is made up of five sections:</p>\
<li style="image" value="page" bindent="5"><a href="info">Information</a>: holds information about this feature, such as description and license.</li>\
<li style="image" value="page" bindent="5"><a href="plugins">Plug-ins</a>: lists the plug-ins that make up this feature.</li>\
<li style="image" value="page" bindent="5"><a href="features">Included Features</a>: lists the features that are included in this feature.</li>\
<li style="image" value="page" bindent="5"><a href="dependencies">Dependencies</a>: lists other features and plug-ins required by this feature when installed.</li>\
</form>

FeatureEditor_InfoPage_PackagingSection_title = Exporting
FeatureEditor_InfoPage_PackagingSection_text=<form>\
<p>To export the feature:</p>\
<li style="text" value="1." bindent="5"><a href="synchronize">Synchronize</a> versions of contained plug-ins and fragments with their version in the workspace</li>\
<li style="text" value="2." bindent="5">Specify what needs to be packaged in the feature archive on the <a href="build">Build Configuration</a> page</li>\
<li style="text" value="3." bindent="5">Export the feature in a format suitable for deployment using the <a href="export">Export Wizard</a></li>\
</form>

FeatureEditor_InfoPage_PublishingSection_title = Publishing
FeatureEditor_InfoPage_PublishingSection_text=<form>\
<p>To publish the feature on an update site:</p>\
<li style="text" value="1." bindent="5">Create an <a href="siteProject">Update Site Project</a></li>\
<li style="text" value="2." bindent="5">Use the site editor to add the feature to the site, and build the site</li>\
</form>

FeatureOptionsTab_0=Not a category definition file
FeatureOutlinePage_discoverUrls = Sites to Visit

###### Plug-in Manifest Editor ########################
ManifestEditor_DetailExtensionPointSection_title = All Extension Points
ManifestEditor_DetailExtensionPointSection_new = Add...
ManifestPackageRenameParticipant_packageRename=Rename packages referenced in plug-in manifest files
ManifestEditor_DetailExtensionPointSection_newExtensionPoint = N&ew Extension Point...

ManifestEditor_DetailExtension_title = All Extensions
ManifestEditor_DetailExtension_new = Add...
ManifestEditor_DetailExtension_remove = Remove
ManifestEditor_DetailExtension_edit = Edit...
ManifestEditor_DetailExtension_up = Up
ManifestEditor_DetailExtension_down = Down
ManifestEditor_DetailExtension_missingExtPointSchema = No schema found for the ''{0}'' extension point

ManifestEditor_ExportSection_title = Library Visibility
ManifestEditor_ExportSection_desc = Specify the portions of the selected library that should be visible to other plug-ins:
ManifestEditor_ExportSection_fullExport = Export the entire library
ManifestEditor_ExportSection_selectedExport = Export the following subset of packages only:
ManifestEditor_ExportSection_add = Add...
ManifestEditor_ExportSection_remove = Remove
PackageSelectionDialog_label = Select packages to export:
PackageSelectionDialog_title=Package Selection

ManifestEditor_OverviewPage_title = Overview

ManifestEditor_ExtensionPointDetails_validate_errorStatus = Selection is not a schema file.
ManifestEditor_ExtensionPointDetails_schemaLocation_title = Extension Point Schema Selection
ManifestEditor_ExtensionPointDetails_schemaLocation_desc = Select a schema file for your extension point:

ManifestEditor_ContentSection_title = Plug-in Content
ManifestEditor_ContentSection_ftitle = Fragment Content
ManifestEditor_ExtensionSection_title =  Extension / Extension Point Content

ManifestEditor_DeployingSection_title = Exporting

ManifestSourcePage_dependencies=Dependencies
ManifestEditor_JarsSection_dialogTitle = New Source Folder
ManifestEditor_JarsSection_dialogMessage = Select a folder:

ManifestEditor_LibrarySection_title = Classpath
ManifestEditor_LibrarySection_fdesc = Specify the libraries that constitute the fragment runtime:
ManifestEditor_LibrarySection_desc = Specify the libraries that constitute the plug-in runtime:
ManifestEditor_LibrarySection_up = Up
ManifestEditor_LibrarySection_down = Down
ManifestEditor_LibrarySection_newLibrary = &New Library...
ManifestEditor_LibrarySection_newLibraryEntry = New Library
NewManifestEditor_LibrarySection_add = Add...
NewManifestEditor_LibrarySection_new = New...
NewManifestEditor_LibrarySection_remove = Remove
ManifestEditor_RuntimeLibraryDialog_label = Enter new library name below:
ManifestEditor_RuntimeLibraryDialog_default = library.jar
ManifestEditor_RuntimeLibraryDialog_validationError = A library by the same name already exists.

ManifestSourcePage_libraries=Libraries
ManifestSyntaxColorTab_keys=Headers
ManifestSourcePage_extensions=Extensions
ManifestSyntaxColorTab_values=Values
ManifestStructureCreator_name=Manifest Structure Compare
ManifestStructureCreator_errorMessage=An error occurred while creating the input structure.

MainPreferencePage_addToJavaSearch=Include all plug-ins from target in &Java search
MainPreferencePage_junitWorkspace_asContainer=Append launch configuration &name to this location
MainPreferencePage_junitWorkspace_asLocation=Us&e as workspace location
MainPreferencePage_junitWorkspace_fileSystem=File S&ystem...
MainPreferencePage_junitWorkspace_variables=Va&riables...
MainPreferencePage_junitWorkspace_workspace=W&orkspace...
MainPreferencePage_junitWorkspaceGroup=Workspace location for new JUnit Plug-in Test launch configurations
MainPreferencePage_promptBeforeOverwrite=Prompt &before overwriting build.xml files when exporting
MainPreferencePage_promtBeforeRemove=Prompt before deleting a &target definition file
MainPreferencePage_runtimeWorkspace_asContainer=Append launch &configuration name to this location
MainPreferencePage_runtimeWorkspace_asLocation=Use as wor&kspace location
MainPreferencePage_runtimeWorkspace_fileSystem=&File System...
MainPreferencePage_runtimeWorkspace_variables=&Variables...
MainPreferencePage_runtimeWorkspace_workspace=&Workspace...
MainPreferencePage_runtimeWorkspaceGroup=Workspace location for new Eclipse Application launch configurations
MainPreferencePage_showSourceBundles=Show &source plug-ins
MainPreferencePage_updateStale=&Update stale manifest files prior to launching

ManifestEditorContributor_externStringsActionName=Externalize Strings...

ManifestTypeRenameParticipant_composite=Rename classes referenced in plug-in manifest files

ManifestEditor_MatchSection_optional = Optional
ManifestEditor_MatchSection_reexport = Re-export the dependency
ManifestEditor_MatchSection_version = Version to match:
ManifestEditor_MatchSection_perfect = Perfect
ManifestEditor_MatchSection_equivalent = Equivalent
ManifestEditor_MatchSection_compatible = Compatible
ManifestEditor_MatchSection_greater = Greater or Equal

ManifestEditor_PluginSpecSection_title = General Information
ManifestEditor_PluginSpecSection_desc = This section describes general information about this plug-in.
ManifestEditor_PluginSpecSection_fdesc = This section describes general information about this fragment.

ManifestEditor_PluginSpecSection_versionMatch = Match Rule:

ResourceAttributeCellEditor_title = Resource Attribute Value
ResourceAttributeCellEditor_message = Select a resource:

ManifestEditor_RuntimeForm_title = Runtime
ManifestContentMergeViewer_title=Manifest Compare

ManifestSourcePage_extensionPoints=Extension Points
ManifestSourcePage_renameActionText=Rename Extension Point Id...
ManifestSyntaxColorTab_assignment=Assignment
ManifestSyntaxColorTab_attributes=Attributes and directives
ManifestSyntaxColorTab_reservedOSGi=Reserved OSGi headers

ManifestEditor_TestingSection_title = Testing

###### Schema Editor ##################################
SchemaEditorContributor_previewAction = Preview &Reference Document

SchemaEditor_previewLink = Preview Reference Document
SchemaAttributeDetails_addRestButton=Add...
SchemaRootElementDetails_replacement=Replacement:
SchemaPreviewLauncher_msgSaveChanges=Save current changes?

SchemaEditor_DocSection_desc = Select the section from the list and enter text in the editor below. This text will be used to compose the reference HTML document for this extension point. Use HTML tags where needed.
SchemaEditor_topic_overview = Description
SchemaEditor_topic_since = Since
SchemaEditor_topic_examples = Examples
SchemaEditor_topic_implementation = Supplied Implementation
SchemaEditor_topic_api = API Information
SchemaEditor_topic_copyright = Copyright
SchemaCompositorDetails_type=Type:
SchemaAttributeDetails_title=Attribute Details
SchemaAttributeDetails_description= Properties for the "{0}" attribute.
SchemaCompositorDetails_description= Properties for the {0} compositor.
SchemaElementReferenceDetails_description= Properties for the "{0}" element reference.

SchemaEditor_SpecSection_title = General Information
SchemaEditor_SpecSection_desc = This section describes general information about this schema.
SchemaEditor_SpecSection_plugin = Plug-in ID:
SchemaEditor_SpecSection_point = Point ID:
SchemaAttributeDetails_extends=Extends:
SchemaEditor_SpecSection_name = Point Name:

SchemaEditor_ElementSection_title = Extension Point Elements
SchemaEditor_ElementSection_remove=Remove
SchemaEditor_ElementSection_desc = Specify the XML elements and attributes which are allowed in this extension point.
SchemaEditor_ElementSection_newElement = New Element
SchemaEditor_ElementSection_newChoice=New Choice
SchemaEditor_ElementSection_newAttribute = New Attribute
SchemaEditor_ElementSection_newSequence=New Sequence
SchemaAttributeDetails_defaultDefaultValue=Enter default value

ReviewPage_noSampleFound=No sample has been selected.

SchemaEditor_NewAttribute_label = &Attribute
SchemaEditor_NewAttribute_tooltip = New Attribute
SchemaIncludesSection_description=Specify schemas to be included with this schema.
SchemaAttributeDetails_implements=Implements:
SchemaEditor_NewAttribute_initialName = new_attribute

SchemaEditor_NewElement_label = &Element
SchemaCompositorDetails_title=Compositor Details
SchemaDtdDetailsSection_title=DTD Approximation
SchemaDetails_name=Name:
SchemaElementDetails_description= Properties for the "{0}" element.
SchemaEditor_NewElement_tooltip = New Global Element
SchemaIncludesSection_addButton=Add...
SchemaEditor_NewElement_initialName = new_element
SchemaIncludesSection_dialogMessage=Select an extension point schema file:
SchemaIncludesSection_missingWarningTitle=Missing Schema Include
SchemaIncludesSection_missingWarningMessage={0} could not be found.

SchemaEditor_NewCompositor_tooltip = New {0}
SchemaElementReferenceDetails_reference=Reference:
SchemaAttributeDetails_removeRestButton=Remove
SchemaElementReferenceDetails_title=Element Reference Details
SchemaDetails_translatable=Translatable:
SchemaAttributeDetails_restrictions=Restrictions:
SchemaAttributeDetails_browseButton=Browse...
SchemaDetails_deprecated=Deprecated:
SchemaDetails_internal=Internal:
SchemaIncludesSection_removeButton=Remove
SchemaIdentifierAttributeDetails_additionalRestrictions=Additional Restrictions:

SchemaEditor_FormPage_title = Definition
SchemaIncludesSection_title=Schema Inclusions
SchemaAttributeDetails_type=Type:
SchemaEditor_DocPage_title = Overview
SchemaElementDetails_title=Element Details
SchemaElementDetails_rootTitle=Extension Element Details
SchemaAttributeDetails_use=Use:

AbstractPluginBlock_counter={0} out of {1} selected
AbstractTargetPage_setTarget=Set as Target Platform
###### Launchers #######################################
MainTab_name = &Main
WorkspaceDataBlock_workspace = Workspace Data
WorkspaceDataBlock_location = &Location:
WorkspaceDataBlock_clear =&Clear:
WorkspaceDataBlock_name=workspace location
WorkspaceDataBlock_askClear = Ask &for confirmation before clearing
WorkspaceDataBlock_clearLog=log o&nly
WorkspaceDataBlock_clearWorkspace=&workspace
WorkspaceDataBlock_configureDefaults=Configure defaults...
BaseBlock_workspace=&Workspace...
BaseBlock_filesystem=File System...
BaseBlock_dirSelection=Directory Selection
BaseBlock_workspaceS=Wor&kspace...
BaseBlock_filesystemS=File S&ystem...
BaseBlock_errorMessage=The {0} is not specified
BaseBlock_variables=Varia&bles...
BaseBlock_variablesS=Variable&s...
BaseBlock_dirChoose=Choose a directory:
BaseBlock_relative=Choose a location relative to the workspace:
BaseBlock_fileTitle=Open file
BaseBlock_fileNotFoundMessage=The specified file could not be found.
BaseBlock_fileErrorMessage=The specified file could not be opened.
BaseBlock_directoryTitle=Open directory
BaseBlock_directoryNotFoundMessage=The specified directory could not be found.
BaseBlock_directoryErrorMessage=The specified directory could not be opened.
ProgramBlock_runProduct=Run a &product:
ProgramBlock_productDecorationWarning0=A product with this name cannot be found in any required bundle.  This launch may fail to start as expected unless there is an available IProductProvider that can supply this product.
ProgramBlock_programToRun=Program to Run
ProgramBlock_runApplication=Run an &application:
BasicLauncherTab_javaExec=Java executable:
BasicLauncherTab_unbound=unbound
BasicLauncherTab_ee=E&xecution environment:
BasicLauncherTab_jre =Runtim&e JRE:
BasicLauncherTab_environments=En&vironments...
BasicLauncherTab_installedJREs = In&stalled JREs...
BasicLauncherTab_bootstrap=B&ootstrap entries:
BasicLauncherTab_javaExecDefault=defa&ult
BasicLauncherTab_noJreForEeMessage=No JREs in workspace compatible with specified execution environment: {0}
JUnitProgramBlock_headless=[No Application] - Headless Mode

AdvancedLauncherTab_name = Plug-ins
AdvancedLauncherTab_workspacePlugins = Workspace
AddActivationHeaderResolution_label=Add ''{0}'' header
AddBuildEntryResolution_add=Add {0} to the {1} build entry.
AddSingleon_dir_desc=Plug-ins declaring extensions or extension points must set the 'singleton' directive to 'true'.
AddSingleon_att_desc=Plug-ins declaring extensions or extension points must set the 'singleton' attribute to 'true'.
AdvancedLauncherTab_selectAll = &Select All
AdvancedLauncherTab_deselectAll = D&eselect All
AddLibraryDialog_emptyLibraries=Cannot add empty libraries.
AddLibraryDialog_nospaces=Library names may not contain spaces.
AdvancedFeatureExportPage_noSite=Site URL is not set
AdvancedPluginExportPage_signJar=JA&R Signing
AdvancedPluginExportPage_noAlias=Alias is not set
AdvancedLauncherTab_subset = Add Re&quired {0}
AdvancedLauncherTab_selectedBundles = Only s&how selected
AdvancedLauncherTab_addNew=&Add new workspace {0} to this launch configuration automatically
AdvancedLauncherTab_defaults = Restore Defa&ults
AddSingleon_dir_label=set the 'singleton' directive
AddSingleon_att_label=set the 'singleton' attribute
AdvancedLauncherTab_workingSet=Add Wor&king Set...
AdvancedFeatureExportPage_jnlp=Ja&va Web Start
AdvancedPluginExportPage_alias=A&lias:
JARSigningTab_keypass=K&eypass:
AdvancedLauncherTab_includeOptional=Include &optional dependencies when computing required {0}
AdvancedFeatureExportPage_siteURL=Si&te URL:
AdvancedPluginExportPage_keystore=Keys&tore location:
AdvancedPluginExportPage_password=&Password:
AdvancedFeatureExportPage_noVersion=JRE version is not set
AdvancedPluginExportPage_signButton=Si&gn the JAR archives using a keystore (a password-protected database)
AdvancedPluginExportPage_noKeystore=Keystore location is not set
AdvancedPluginExportPage_noPassword=Password is not set
AddSourceBuildEntryResolution_label=Add a {0} entry.
AdvancedFeatureExportPage_createJNLP=&Create JNLP manifests for the JAR archives
AdvancedFeatureExportPage_jreVersion=&JRE version:
AdvancedPluginExportPage_qualifier = &Qualifier replacement (default value is today's date):

TracingLauncherTab_name = Trac&ing
TracingLauncherTab_tracing =&Enable tracing
TracingLauncherTab_selectAll = &Select All
TracinglauncherTab_deselectAll = &Deselect All

ConfigurationTab_name = Configura&tion
ConfigurationTab_clearArea = Cle&ar the configuration area before launching
ConfigurationTab_configAreaGroup=Configuration Area
ConfigurationTab_useDefaultLoc=&Use default location
ConfigurationTab_configLog=&Location:
ConfigurationSection_title=Configuration File
ConfigurationSection_desc=A product can be configured by setting properties in a config.ini file.  Select whether an existing config.ini file should be used or one generated.
ConfigurationSection_file=File:
ConfigurationSection_existing=Use an existing config.ini file
ConfigurationTab_configLocMessage=Select a configuration location:
ConfigurationTab_configFileGroup=Configuration File
ConfigurationTab_defaultConfigIni=G&enerate a config.ini file with default content
ConfigurationTab_existingConfigIni=Use an e&xisting config.ini file as a template
ConfigurationTab_templateLoc=L&ocation:
ConfigurationSection_default=Generate a default config.ini file
ConfigurationSection_browse=Browse...
ConfigurationAreaBlock_name=configuration area location
ConfigurationPageMock_pageTitle=Configuration
ConfigurationPageMock_sectionTitle=Start Levels
ConfigurationPageMock_sectionDesc=Specify custom start levels for plug-ins.
PluginConfigurationSection_tablePluginTitle=Plug-in
ConfigurationSection_message=Select a config.ini file:
ConfigurationTemplateBlock_name=template file location
ConfigurationTab_fileSelection=File Selection
ConfigurationSection_selection=File Selection
ConfigurationTab_fileDialogMessage=Select a config.ini file:


WorkbenchLauncherConfigurationDelegate_confirmDeleteWorkspace = Do you really want to clear the run-time workspace data in {0}?

Launcher_error_title=Launch Error
LauncherSection_desc=Customize the executable that is used to launch the product.
LauncherSection_ico=Use a single ICO file containing the 7 images:
LauncherUtils_workspaceLocked=Workspace Cannot Be Locked
LauncherUtils_clearLogFile=Do you really want to clear the log file?
LauncherUtils_edit=&Edit...
LauncherUtils_title=Launcher
LauncherPage_title=Launching
LauncherSection_file=File:
LauncherSection_icon=Icon:
LauncherSection_tiny=Tiny:
Launcher_error_code13=The application could not start.  Would you like to view the log?
Launcher_error_displayInLogView=Yes, in the Error Log view
LauncherUtils_generateConfigIni=The config.ini template file you specified does not exist.  Continue launching with a generated config.ini file?
Launcher_error_displayInSystemEditor=Yes, in an editor
LauncherSection_browse=Browse...
LauncherSection_title=Program Launcher
LauncherSection_label=Customizing the launcher icon varies per platform.
LauncherSection_bmpImages=Specify 7 separate BMP images:
LauncherSection_Low16=16x16 (8-bit):
LauncherSection_High16=16x16 (32-bit):
LauncherSection_32Low=32x32 (8-bit):
LauncherSection_32High=32x32 (32-bit):
LauncherSection_48Low=48x48 (8-bit):
LauncherSection_48High=48x48 (32-bit):
LauncherSection_256High=256x256 (32-bit):
LauncherSection_linuxLabel=A single XPM icon is required:
LauncherSection_large=Large:
LauncherSection_medium=Medium:
LauncherSection_small=Small:
LauncherSection_macLabel=A single ICNS file is required:
OpenLogDialog_title=Error Log
OpenLogDialog_message=Opening log...
OpenLogDialog_cannotDisplay=Log file cannot be displayed.
OpenSchemaAction_msgUnknown=Unknown

###### Preferences ####################################
Preferences_MainPage_Description = General settings for plug-in development:

Preferences_MainPage_showObjects = Plug-in presentation:
Preferences_MainPage_useIds = Show &identifiers
Preferences_MainPage_useFullNames = Show &presentation names

ExternalizeStringsWizard_title=Externalize Strings
ExternalizeResolution_attrib=Externalize the {0} attribute
ExternalizeResolution_text=Externalize {0}''s text
ExternalizeResolution_header=Externalize the {0} header
ExternalizeStringsResolution_desc=Bring up the externalize strings wizard on this project
ExternalizeStringsWizardPage_pageTitle=Externalize Strings
ExternalizeStringsWizardPage_pageDescription=Externalizing manifest files extracts translatable strings and stores them in a properties file for multi-language support.
ExternalizeStringsWizardPage_badLocalizationError=A Bundle Localization must consist of a combination of alpha-numeric characters, _ and -.
ExternalizeStringsWizardPage_resourcelabel=Plug-ins with non-externalized strings:
ExternalizeStringsWizardPage_selectAllButton=&Select All
ExternalizeStringsWizardPage_deselectAllButton=&Deselect All
ExternalizeStringsWizardPage_projectLabel=Selected project:
ExternalizeStringsWizardPage_noUnderlyingResource=No underlying resource selected
ExternalizeStringsWizardPage_localizationLabel=&Localization:
ExternalizeStringsWizardPage_propertiesLabel=Strings to externalize:
ExternalizeStringsWizardPage_sourceLabel=Source:
ExternalizeStringsProcessor_errorMessage=The files to change have not been set on the ExternalizeStringsProcessor
ExternalizeStringsWizardPage_keyEmptyError=New key may not be empty
ExternalizeStringsWizardPage_keyCommentError=New key may not begin with #, ! or % characters
ExternalizeStringsOperation_pluginChangeName=Externalize Strings for {0}
ExternalizeStringsOperation_editNames_addComment=Add a comment to the file
ExternalizeStringsOperation_editNames_replaceText=Replace text with "{0}" property key
ExternalizeStringsOperation_editNames_insertProperty=Insert "{0}" property
ExternalizeStringsWizardPage_keyError=New key may not contain : or = " " (space) characters
ExternalizeStringsWizardPage_value=Value
ExternalizeStringsWizardPage_subKey=Substitution Key
ExternalizeStringsResolution_label=Open Externalize Strings Wizard...
ExternalizeStringsWizardPage_keyDuplicateError=New key may not be a duplicate of another key
ExternalizeStringsWizardPage_keySuggested=\n\tsuggested key value:

Preferences_TargetEnvironmentPage_os = &Operating System:
Preferences_TargetEnvironmentPage_ws = &Windowing System:
Preferences_TargetEnvironmentPage_nl = &Locale:
Preferences_TargetEnvironmentPage_arch = Arc&hitecture:

SourceBlock_add = Add&...
SourceBlock_remove = &Remove


######################################################

###### Wizards #######################################
NewFragmentProjectWizard_title = New Fragment Project
NewPluginProjectFromTemplateWizard_0=Could not load the template {0}
NewPluginProjectFromTemplateWizard_1=Problem loading plug-in template
NewProjectWizard_MainPage_ftitle = Fragment Project
NewProductFileWizard_windowTitle=New Product Configuration
NewProjectWizard_MainPage_fdesc = Create a new fragment project

NewProjectWizard_title = New Plug-in Project
NewProjectWizard_MainPage_title = Plug-in Project
NewProjectWizard_MainPage_desc = Create a new plug-in project

ProjectNamesPage_emptyName=Project name cannot be empty.
ProjectStructurePage_settings = Project Settings
ProjectStructurePage_java = Create a &Java project
ProjectStructurePage_source = &Source folder:
ProjectStructurePage_output = O&utput folder:

ProjectNamesPage_projectName=Project name:
ProjectNamesPage_multiProjectName=Project name #&{0}:
ProjectNamesPage_title=Project names
ProjectNamesPage_desc=Select project names or accept the defaults.
ProjectNamesPage_noSampleFound=No sample has been selected.

ContentPage_0=Content
ContentPage_1=Target Content
ContentPage_title = Content
ContentPage_ftitle = Fragment Content
ContentPage_desc = Enter the data required to generate the plug-in.
ContentPage_fdesc = Enter the data required to generate the fragment.
ContentPage_pGroup = Properties
ContentPage_fGroup = Properties
ContentPage_parentPluginGroup = Host Plug-in
ContentSection_0=Content
ContentSection_1=The plug-ins selected below will be included in this target definition.
ContentPage_pClassGroup = Options
ContentPage_pid = &ID:
ContentPage_pversion = &Version:
ContentPage_pname = N&ame:
ContentPage_pprovider = Ven&dor:
ContentPage_fid = &ID:
ContentPage_fversion = &Version:
ContentPage_fname = N&ame:
ContentPage_fprovider = Vendo&r:
ContentPage_generate = &Generate an activator, a Java class that controls the plug-in's life cycle
ContentPage_classname = Ac&tivator:
ContentPage_uicontribution = T&his plug-in will make contributions to the UI
FragmentContentPage_pid = &Plug-in ID:
FragmentContentPage_pversion = Pl&ug-in Version:
ContentPage_browse = Bro&wse...
ContentPage_matchRule = &Match Rule:
ContentPage_noid = ID is not set
ContentPage_invalidId = Invalid ID.  Legal characters are A-Z a-z 0-9 . _ -
CommandList_groupName=Commands
CommandList_clearTooltip=Clear Filter Text
CommandList_collapseAll0=Collapse All Categories
CommandDetails_id=Command ID:
CommandDetails_clear=Clear
CommandDetails_param={0} :
ContentPage_badversion = Version must be in the format 'major.minor.micro'
ContentPage_nopid = Host plug-in ID is not set
ContentPage_pluginNotFound = Host plug-in with the specified id could not be found
CommandDetails_execute=Execute command
CommandDetails_executeText=Execute
CommandDetails_preview=Text Preview:
CommandCopyFilter_help=Help Topic
CommandSerializerPart_name=Command Composer
CommandDetails_noComSelected=<no command selected>
CommandDetails_noParameters=No Parameters
CommandCopyFilter_introDesc=Copy the command for embedding in Intro parts.
CommandDetails_groupName=Command Details
CommandDetails_copytooltip=Copy serialized command to clipboard
CommandCopyFilter_noFilter=<No Filter>
CommandCopyFilter_helpDesc=Copy the command for embedding in Help topics.
CommandDetails_includeMarkup=Include Markup
CommandDetails_markupTooltip=Include the proper document specific markup surrounding the command when copying to clipboard.
CommandDetails_commandResult=Command Result
CommandDetails_copyToClipboard=Copy To Clipboard
CommandDetails_paramValueMessage=[{0}] {1}
CommandCopyFilter_noFilterDesc=Copy the command directly without any filtering.
CommandCopyFilter_cheatsheet=Cheatsheet
CommandComposerPart_formTitle=Choose and parameterize the command
CommandCopyFilter_cheatsheetDesc=Copy the command for embedding in Cheatsheets.
CommandDetails_execError=Command Execution Error
CommandDetails_numParams=Parameters:
CommandCopyFilter_intro=Intro/Welcome
ContentPage_illegalCharactersInID = Project name contained characters which are not legal for the id, they have been converted to underscores.
WizardListSelectionPage_title = Templates
WizardListSelectionPage_desc = Select one of the available templates to generate a fully-functioning plug-in.
WizardListSelectionPage_label = &Create a plug-in using one of the templates
WizardListSelectionPage_templates = &Available Templates:
OptionTemplateSection_mustBeSet = Template option "{0}" must be set.

NewLibraryPluginProjectWizard_title = New Plug-in from Existing JAR Archives
NewLibraryPluginCreationPage_title = Plug-in Project Properties
NewLibraryPluginCreationPage_desc = Enter the data required to generate the plug-in.
NewLibraryPluginCreationPage_jarred = &Unzip the JAR archives into the project
NewLibraryPluginCreationPage_pGroup = Plug-in Properties
NewLibraryPluginCreationPage_pid = Plug-in &ID:
NewLibraryPluginCreationPage_pversion = Plug-in &Version:
NewLibraryPluginCreationPage_pname = Plug-in Na&me:
NewLibraryPluginCreationPage_pprovider = Plug-in Vend&or:
NewLibraryPluginCreationPage_pdependencies=Anal&yze library contents and add dependencies
NewLibraryPluginCreationPage_noid = ID is not set
NewLibraryPluginCreationPage_invalidId = Invalid ID.  Legal characters are A-Z a-z 0-9 . _ -
NewLibraryPluginCreationPage_noversion = Version field is not set
NewLibraryPluginCreationPage_noname = Name is not set
NewLibraryPluginCreationPage_UpdateReferences_button=Update references to the JAR files
LibraryPluginJarsPage_title = JAR selection
LibraryPluginJarsPage_desc = Select the JAR archives to include in the plug-in.
LibraryPluginJarsPage_label = &JAR archives to include in the plug-in:
LibraryPluginJarsPage_add = &Add...
LibraryPluginJarsPage_addExternal = Add &External...
LibraryPluginJarsPage_remove = &Remove
LibrarySection_addDialogButton=&Update the build path
LibraryPluginJarsPage_SelectionDialog_title = JAR selection
LibraryPluginJarsPage_SelectionDialog_message = Select the JAR archives to include in the plug-in.

NewProjectCreationOperation_creating = Creating...
NewProjectCreationOperation_project = the project
NewProjectCreationOperation_setClasspath = Setting the classpath...
NewProjectCreationOperation_manifestFile = the manifest file
NewProjectCreationPage_pPureOSGi=&an OSGi framework:
NewProjectCreationPage_standard=standard
NewProjectCreationPage_target=Target Platform
NewProjectCreationPage_target_version_range_3_5=3.5 or greater
NewProjectCreationPage_ftarget=This fragment is targeted to run with:
NewProjectCreationPage_ptarget=This plug-in is targeted to run with:
NewProjectCreationPage_pDependsOnRuntime=&Eclipse version:
NewProjectCreationPage_environmentsButton=Envi&ronments...
NewProjectCreationPage_executionEnvironments_label=&Execution Environment:
NewProjectCreationPage_invalidProjectName=Project name cannot contain %
NewProjectCreationPage_invalidLocationPath=Location path cannot contain %
NewProjectCreationPage_invalidEE=Execution Environment isn't compatible with any installed JRE
NewProjectCreationOperation_buildPropertiesFile = the build.properties file
NewProjectCreationOperation_copyingJar = Copying "{0}" JAR ...
NewProjectCreationOperation_errorImportingJar = Error importing jar "{0}"

AbstractTemplateSection_generating = Generating content...
AbstractLauncherToolbar_noProblems=No problems were detected.
AbstractSchemaDetails_minOccurLabel=Min Occurrences:
AbstractSchemaDetails_maxOccurLabel=Max Occurrences:
AbstractLauncherToolbar_noSelection=No {0} are selected.
AbstractRepository_ScanForUI=Scan for UI images
AbstractSchemaDetails_unboundedButton=Unbounded
AbstractSchemaDetails_descriptionLabel=Description:

BuildAction_Validate = Validating...
BuildAction_Generate = Generating the build script...
BuildSiteJob_name=Build Site
BuildAction_Update = Updating...
BuildPage_custom=Custom Build
BundlesTab_title=Bundles
BuildPage_name=Build
BuildAction_ErrorDialog_Title = Validation Error
BuildAction_ErrorDialog_Message = Build script cannot be generated because the file contains errors.
BuildPluginAction_ErrorDialog_Title = Invalid Plug-in Project
BuildPluginAction_ErrorDialog_Message = Build script cannot be generated because the project's plug-in manifest does not define an ID.
BuildPluginAction_WarningCustomBuildExists=Custom build file already exists. If you want to generate a new build file, disable the 'custom' property in your build.properties file.

NewFeatureWizard_wtitle = New Feature
NewFeatureWizard_MainPage_desc = Define the name of the new feature project
NewFeatureWizard_SpecPage_title = Feature Properties
NewFeatureWizard_SpecPage_desc = Define properties that will be placed in the feature.xml file
NewFeatureWizard_SpecPage_id = Feature &ID:
NewFeatureWizard_SpecPage_name = Feature Na&me:
NewFeatureWizard_SpecPage_version = Feature &Version:
NewFeatureWizard_SpecPage_provider = Feature Vendo&r:
NewFeatureWizard_SpecPage_versionFormat = Version must be in 'major.minor.micro' format
NewFeatureWizard_sampleCopyrightDesc= [Enter Copyright Description here.]
NewFeatureWizard_sampleLicenseDesc= [Enter License Description here.]
NewFeatureWizard_sampleDescriptionDesc = [Enter Feature Description here.]
NewSiteProjectCreationPage_webTitle= Web Resources
NewFeatureWizard_SpecPage_missing = Feature ID must be set
NewFeatureWizard_SpecPage_pmissing = Patch ID must be set
NewFeatureWizard_SpecPage_invalidId = Invalid ID.  Legal characters are A-Z a-z 0-9 . _

NewFeatureWizard_PlugPage_title = Referenced Plug-ins and Fragments
NewFeatureWizard_PlugPage_desc = Select the plug-ins and fragments from your workspace to package into the new feature.

NewFeatureWizard_creatingProject = Creating feature project...
NewFeatureWizard_creatingManifest = Creating feature manifest...
NewFeatureWizard_overwriteFeature = A feature by the same name already exists on disk.  Would you like to overwrite?
NewFeatureWizard_SpecPage_library = Ins&tall Handler Library:
NewFeatureWizard_SpecPage_patchProperties=Feature patch properties

FeatureDetailsSection_title = Feature Properties
FeatureDetailsSection_desc = Properties for the selected feature.  "*" denotes a required field.
FeatureDetailsSection_url=URL*:
FeatureDetailsSection_patch=This feature is a patch for another feature
FeatureDetailsSection_requiredURL=Enter a valid URL for the feature on the site.
FeatureDetailsSection_requiredURL_title=URL Required.

SiteEditor_PortabilitySection_title = Feature Environments
SiteEditor_PortabilitySection_desc = Specify the environments in which this feature can be installed.\n\
Leave blank if the feature does not contain platform-specific code.
SiteEditor_PortabilitySection_os = Operating Systems:
SiteEditor_PortabilitySection_ws = Window Systems:
SiteEditor_PortabilitySection_nl = Languages:
SiteEditor_PortabilitySection_arch = Architecture:
SiteEditor_PortabilitySection_edit = Browse...
SiteEditor_PortabilityChoicesDialog_title = Portability Choices

FeaturePatch_wtitle = New Feature Patch
FeaturePatch_MainPage_desc = Define the name of the new feature patch.
PatchSpec_title = Patch Properties
NewFeaturePatch_SpecPage_id = Patc&h ID:
NewFeaturePatch_SpecPage_name = Patch N&ame:
NewFeaturePatch_SpecPage_provider = Patch Vendo&r:
NewFeaturePatch_SpecPage_notFound = Feature {0} {1} not found.
FeatureSelectionDialog_title = Feature Selection
FeatureSelectionDialog_message = &Select a feature:

VersionSyncWizard_wtitle = Feature Versions
VersionSyncWizard_title = Version Synchronization
VersionSyncWizard_desc = Choose a method to synchronize feature and plug-in versions.
VersionSyncWizard_group = Synchronization Options
VersionSyncWizard_useComponent = Force feature version into plug-in and fragment manifests
VersionSyncWizard_usePlugins = Copy versions from plug-in and fragment manifests
VersionSyncWizard_usePluginsAtBuild = Synchronize versions on build (recommended)
VersionSyncWizard_synchronizing = Synchronizing versions...

JavaAttributeWizard_wtitle = New Java Class
JavaArgumentsTab_vmArgsGroup=VM argumen&ts
JavaArgumentsTab_vmVariables=Variables&...
JavaArgumentsTab_description=The values below are used to initialize program and VM arguments on new PDE launch configurations.

ExtensionsPage_collapseAll=Collapse All
ExtensionPointDetails_title=Extension Point Details
ExtensionPointDetails_desc=Set the properties of the selected extension point.
ExtensionPointDetails_id=ID:
ExtensionPointDetails_name=Name:
ExtensionPointsPage_title=Extension Points
ExtensionPointsPage_tabName=Extension Points
ExtensionPointDetails_schema=Schema:
ExtensionPointDetails_schemaLinks=<form>\
<p><img href="desc"/> <a href="desc">Show extension point description</a></p>\
<p><img href="open"/> <a href="open">Open extension point schema</a></p>\
<p><img href="search"/> <a href="search">Find references</a></p>\
</form>
ExtensionPointsSection_message1=Extension Point has been deleted. Delete the corresponding schema file {0}?\n\nThis operation cannot be undone.
ExtensionPointsSection_rename_label=&Rename...
ExtensionPointsSection_sectionDescAllExtensionPoints=Edit extension points defined by this plug-in in the following section.
ExtensionElementBodyTextDetails_sectionDescElementGeneral=Specify the body text content for the selected element.
ExtensionElementBodyTextDetails_labelBodyText=Body Text:
ExtensionsSection_Remove=&Remove
ExtensionsSection_sectionDescExtensionsMaster=Define extensions for this plug-in in the following section.
ExtensionElementBodyTextDetails_sectionDescElementSpecific=Specify the body text content for the ''{0}'' element.
ExtensionPointDetails_browse=Browse...
ExtensionPointsSection_title=Delete Extension Point Schema
ExtensionPointDetails_noSchemaLinks=<form>\
<p><img href="search"/> <a href="search">Find references</a></p>\
</form>
ExtensionElementDetails_descNoAttributes=The selected element has no properties to set.
ExtensionDetails_noPoint_title=Extension Point Description
ExtensionDetails_extensionPointLinks=<form>\
<p><img href="desc"/> <a href="desc">Show extension point description</a></p>\
<p><img href="open"/> <a href="open">Open extension point schema</a></p>\
<p><img href="search"/> <a href="search">Find declaring extension point</a></p>\
</form>
ExtensionElementDetails_setDesc=Set the properties of "{0}". Required fields are denoted by "*".
ExtensionEditorSelectionPage_title=Extension Editors
ExtensionEditorSelectionPage_message=Ex&tension Editors:
ExtensionEditorSelectionPage_desc=Choose one of the provided wizards to edit the selected extension
ShowDescriptionAction_noPoint_desc=Description for extension point "{0}" cannot be found.
ShowDescriptionAction_schemaNotAvail=Schema Description not available.
ExtensionElementDetails_title=Extension Element Details

BaseExtensionPoint_pluginId = &Plug-in ID:
BaseExtensionPoint_id = &Extension Point ID:
BaseExtensionPoint_name = Extension Point &Name:
BaseWizardSelectionPage_noDesc=No Description available.
BaseExtensionPoint_schema = Extension Point &Schema:
BaseExtensionPoint_schemaLocation = C&ontainer:
BaseExtensionPoint_edit = E&dit extension point schema when done
BaseExtensionPoint_shared = &Create shared schema for inclusion
BaseExtensionPoint_sections_overview = [Enter description of this extension point.]
BaseExtensionPoint_sections_since = [Enter the first release in which this extension point appears.]
BaseExtensionPoint_sections_usage = [Enter extension point usage example here.]
BaseExtensionPoint_sections_api = [Enter API information here.]
BaseExtensionPoint_sections_supplied = [Enter information about supplied implementation of this extension point.]
BaseExportWizard_confirmReplace_desc=The file "{0}" already exists.  Do you want to overwrite it?
BaseExportWizardPage_packageJARs=&Package plug-ins as individual JAR archives
BaseExportWizard_wtitle=Export
BaseExportWizardPage_fPackageJARs=&Package as individual JAR archives (required for JNLP and update sites)
BaseFeatureSpecPage_patchGroup_title=Properties of feature being patched
BaseImportWizardSecondPage_0=Some plug-ins are not available from a repository
BaseImportWizardSecondPage_autobuild=Build projects after the import operation completes
BaseFeatureSpecPage_featurePropertiesGroup_title = Feature properties
BaseFeatureSpecPage_browse=Bro&wse...
BaseExtensionPoint_sections_copyright=
BaseExportWizard_confirmReplace_title=Confirm Replace
BaseExtensionPoint_generating = Generating schema file...
GeneralInfoSection_IdWarning=The product ID should not match the defining plug-in's ID. This product will not export correctly.
GeneralInfoSection_version=Version:
GeneralInfoSection_provider=Vendor:
GeneralInfoSection_pluginId=Host Plug-in:
GeneralInfoSection_pluginVersion=Host Version:
GeneralInfoSection_hostMinVersionRange=Host Minimum Version:
GeneralInfoSection_hostMaxVersionRange=Host Maximum Version:

NewWizard_wtitle = New
NewExtensionWizard_wtitle = New Extension
NewElementAction_generic=Generic
NewExtensionWizard_PointSelectionPage_title = Extension Point Selection
NewExtensionWizard_PointSelectionPage_desc = Select an extension point from those available in the list.
NewExtensionRegistryReader_missingProperty=Cannot create category: id or name is missing
NewExtensionTemplateWizard_generating=Generating content...
NewExtensionWizard_PointSelectionPage_filterCheck = &Show only extension points from the required plug-ins
NewExtensionWizard_PointSelectionPage_dependencyTitle = New plug-in dependency
NewExtensionWizard_PointSelectionPage_dependencyMessage = Do you want to add plug-in {0}, declaring the {1} extension point, to the list of plug-in dependencies?
NewExtensionWizard_PointSelectionPage_availExtPoints_label = Extension Point filter:
NewExtensionWizard_PointSelectionPage_contributedTemplates_title = Available templates:
NewExtensionWizard_PointSelectionPage_contributedTemplates_label= Available templates for {0}:
NewExtensionWizard_PointSelectionPage_extPointDescription = (Select an Extension Point to see its description)
NewExtensionWizard_PointSelectionPage_templateDescription = Create a new extension from the {0} template.
NewExtensionWizard_PointSelectionPage_pluginDescription = Create a new {0} extension.
NewExtensionWizard_PointSelectionPage_pluginDescription_deprecated = The {0} extension point is deprecated

ExtensionEditorWizard_wtitle = Edit Extension

NewExtensionPointWizard_wtitle = New Extension Point
NewExtensionPointWizard_title = Extension Point Properties
NewExtensionPointWizard_desc = Specify properties of the new extension point.

NewSchemaFileWizard_wtitle = New Extension Point Schema File
NewSchemaFileWizard_title = Extension Point Schema Properties
NewSchemaFileWizard_desc = Specify properties of the extension point schema file.

BaseExtensionPointMainPage_missingExtensionPointID = Specify a valid extension point ID.  No extension point ID specified.
BaseExtensionPointMainPage_invalidCompositeID = Specify a valid extension point ID.  Legal characters are "a-z", "A-Z", "0-9", ".", and "_".  ID must not start or end with a "."
BaseExtensionPointMainPage_invalidSimpleID = Specify a valid extension point ID.  Legal characters are "a-z", "A-Z", "0-9", and "_".
BaseExtensionPointMainPage_missingExtensionPointName = Specify a valid extension point name.  No extension point name specified.
BaseExtensionPointMainPage_missingExtensionPointSchema = Specify a valid extension point schema.  No extension point schema specified.

NewSchemaFileMainPage_missingPluginID = Specify a valid plug-in ID.  No Plug-in ID specified.
NewSchemaFileMainPage_nonExistingPluginID = Specify a valid plug-in ID.  Specified plug-in ID does not exist.
NewSchemaFileMainPage_externalPluginID = Specify a valid plug-in ID.  Specified plug-in ID is external to the workspace.
NewSchemaFileMainPage_missingContainer = Specify a valid container.  No container specified.
NewSchemaFileMainPage_invalidContainer = Specify a valid container.  Specified container is not a valid project or folder.
NewSchemaFileMainPage_nonExistingContainer = Specify a valid container.  Specified container does not exist.

ConvertedProjectsPage_DeselectAll=&Deselect All
ConvertedProjectsPage_SelectAll=&Select All
ConvertedProjectWizard_title = Convert Existing Projects
ConvertedProjectWizard_desc = Select existing projects to add PDE capability.
ConvertedProjectWizard_projectList = &Available projects:
ConvertedProjectWizard_converting = Converting ...
ConvertProjectsAction_find=Find Projects to Convert
ConvertProjectsAction_none= There are no projects to convert.


### Supplied templates

PluginCodeGeneratorWizard_title = New plug-in project with custom templates

EditorUtilities_invalidFilePath=The specified path points to a file that does not exist

IntroSection_new=New...
IntroSection_introLabel=Specify this product's welcome page.
IntroSection_introInput=Intro ID:
IntroSection_sectionText=Welcome Page
IntroSection_undefinedProductIdMessage=Your plug-in does not have any defined product IDs. You must define one before adding an intro to this configuration.\nWould you like to create a new one now?


NewProductFileWizard_title=Product Configuration
NewRestrictionDialog_title=New Restriction

PointSelectionPage_tab1=Extension Points
PointSelectionPage_tab2=Extension Wizards
PointSelectionPage_categories=Wizard Categories:
PointSelectionPage_extPointDesc=Extension Point Description: <a>{0}</a>
PointSelectionPage_newDepFound=New dependencies added to plugin...
PointSelectionPage_noDescAvailable=(no description available)
PointSelectionPage_cannotFindTemplate=Cannot find extension for the specified template id
PointSelectionPage_newDepMessage=Save changes made to plugin? (Pressing 'No' may result in your code having compilation errors).

ProductDefinitonWizardPage_productExists=Specified product already exists
ProductDefinitonWizardPage_application=&Application:
ProductDefinitonWizardPage_noProductID=Product ID is not set
ProductDefinitonWizardPage_noProductName=Product name is not set
ProductFileWizadPage_existingProduct=&Use an existing product:
ProductFileWizadPage_existingLaunchConfig=U&se a launch configuration:
ProductDefinitonWizardPage_productDefinition=<form><p>A product, the Eclipse unit of branding, is defined declaratively as an <a href="products">org.eclipse.core.runtime.products</a> extension inside a plug-in.</p></form>
ProductDefinitonWizardPage_applicationGroup=Product Application
ProductDefinitonWizardPage_notInWorkspace=Specified plug-in must be present in the workspace
ProductDefinitionOperation_readOnly = The operation cannot proceed because plug-in ''{0}'' has a read-only manifest file.

TemplateSelectionPage_title = Template Selection
TemplateSelectionPage_desc = Choose templates that will contribute content to this plug-in from the list. Click on a template entry to read its description.
TemplateSelectionPage_table = &Available Templates:
TemplateSelectionPage_column_name = Name
TemplateSelectionPage_column_point = Extension Point

ImageBrowserView_FilterAllImages=All Images
ImageBrowserView_FilterDisabled=Disabled icons
ImageBrowserView_FilterIcons=Icons
ImageBrowserView_FilterWizards=Wizards
ImageBrowserView_Height=Height:
ImageBrowserView_ImageInfo=Image information
ImageBrowserView_MaxImages=Maximum images:
ImageBrowserView_Path=Path:
ImageBrowserView_Pixels={0} px
ImageBrowserView_Plugin=Plug-in:
ImageBrowserView_Reference=Reference:
ImageBrowserView_ScanningForImagesJob=Scanning for images
ImageBrowserView_Show=Show:
ImageBrowserView_ShowMore=Show More
ImageBrowserView_Source=Source:
ImageBrowserView_Width=Width:
ImportActionGroup_binaryWithLinkedContent=Binary Project with &Linked Content
ImportActionGroup_cannot_import=The selected plug-ins cannot be imported from a repository. The plug-ins do not have an Eclipse-SourceReferences manifest header that can be processed. 
ImportActionGroup_importContributingPlugin=&Import Contributing Plug-in as
ImportActionGroup_Repository_project=P&roject from a Repository...

####

PluginSelectionDialog_title = Plug-in Selection
PluginStructureCreator_name=Plug-in Structure Compare
PluginSelectionDialog_message = &Select a Plug-in:
PluginImportOperation_could_not_delete_project=Import operation could not delete the following project: {0}
PluginImportOperation_Importing_plugin=Importing {0}
PluginImportOperation_OverwritePluginProjects=Delete Plug-in Projects
PluginImportOperation_Set_up_classpaths=Setting up the classpaths:
PluginImportOperation_WarningDialogJob=Plug-in projects could not be imported.
PluginImportOperation_WarningDialogMessageSingular=The following project could not be imported. Check that it does not already exist in the workspace in a closed or read-only state.
PluginImportOperation_WarningDialogMessagePlural=The following projects could not be imported. Check that they do not already exist in the workspace in a closed or read-only state.
PluginImportWizard_runningConfigDesc=An application is currently running. Some of the selected plug-ins may not be imported if they are locked by it. Do you want to continue?
PluginImportWizard_runningConfigsDesc=Multiple applications are currently running. Some of the selected plug-ins may not be imported if they are locked by them. Do you want to continue?
PluginImportWizard_runningConfigsTitle=Running Applications
PluginImportWizardFirstPage_0=Tar&get definition:
PluginImportWizardFirstPage_1=Reading contents
PluginImportWizardFirstPage_2=A target definition must be selected
PluginImportWizardFirstPage_3=Projects from a &repository
PluginContentPage_appQuestion=Would you like to create a rich client application?
PluginContentPage_enable_api_analysis=Enable A&PI analysis
PluginContentMergeViewer_title=Plug-in Source Compare
PluginDevelopmentPage_equinox=&Show sections specific to the Equinox OSGi framework

ImportWizard_title = Import Plug-ins and Fragments
ImportWizard_FirstPage_title = Import Plug-ins and Fragments
ImportWizard_FirstPage_desc = Create projects from plug-ins and fragments in the file system.
ImportWizard_FirstPage_importGroup = Plug-ins and Fragments to Import
ImportWizard_FirstPage_importPrereqs = &Import plug-ins and fragments required by existing workspace plug-ins
ImportWizard_FirstPage_scanAll = &Select from all plug-ins and fragments found at the specified location
ImportWizard_FirstPage_importAs = Import As
ImportWizard_FirstPage_binary = Bin&ary projects
ImportWizard_FirstPage_binaryLinks = Binar&y projects with linked content
ImportWizard_FirstPage_source = Pro&jects with source folders
ImportWizard_FirstPage_importFrom = Import From
ImportWizard_FirstPage_target = T&he active target platform
ImportWizard_FirstPage_goToTarget = <a>Open the &Target Platform preference page...</a>
ImportWizard_FirstPage_otherFolder = &Directory:
ImportWizard_FirstPage_browse = B&rowse...
ImportWizard_SecondPage_addFragments = Include fra&gments when computing required plug-ins

ImportWizard_messages_folder_title = Plug-in Directory
ImportWizard_messages_folder_message = Select a directory that contains plug-ins or fragments

ImportWizard_errors_locationMissing = Enter a directory to import from.
ImportWizard_errors_buildFolderInvalid = Import directory path is invalid.
ImportWizard_errors_buildFolderMissing = Import directory does not exist.

ImportWizard_expressPage_title = Selection
ImportWizard_expressPage_desc = Select the workspace plug-ins whose required plug-ins and fragments are to be imported.
ImportWizard_expressPage_nonBinary = E&xisting non-binary workspace plug-ins:
ImportWizard_expressPage_total = Total: {0}

ImportWizard_DetailedPage_title = Selection
ImportWizard_DetailedPage_desc = Select plug-ins and fragments to import.
ImportWizard_DetailedPage_availableList = &Plug-ins and Fragments Found:
ImportWizard_DetailedPage_importList = P&lug-ins and Fragments to Import:
ImportWizard_DetailedPage_add = &Add ->
ImportWizard_DetailedPage_addAll = A&dd All ->
ImportWizard_DetailedPage_remove = <- &Remove
ImportWizard_DetailedPage_removeAll = <- Re&move All
ImportWizard_DetailedPage_swap = <- &Swap ->
ImportWizard_DetailedPage_existing = Exis&ting Plug-ins ->
ImplicitDependenciesSection_0=No resolved plug-ins could be found in this target definition.
ImplicitDependenicesSection_Remove=Remove
ImportWizard_DetailedPage_existingUnshared = Existing &Unshared ->
ImportWizard_DetailedPage_addRequired = Re&quired Plug-ins ->
ImplicitDependenicesSection_RemoveAll=Remove All
ImportWizard_DetailedPage_count = {0} out of {1} selected
ImportWizard_DetailedPage_filter = Filter Available Plug-ins and Fragments
ImportWizard_DetailedPage_filterDesc=Show latest version of plug-ins only
ImportWizard_DetailedPage_search = &ID (* = any string, ? = any character):

ImportWizard_operation_multiProblem = Problems detected while importing plug-ins
ImportWizard_operation_importingSource = Importing source...
FeatureImportWizard_FirstPage_title = Import Features
FeatureImportWizard_FirstPage_desc = Create projects from features in the file system.
FeatureImportWizard_FirstPage_runtimeLocation = &Choose from features in the target platform
FeatureImportWizard_FirstPage_otherFolder = Feature &Location:
FeatureImportWizard_FirstPage_binaryImport = &Import as binary projects
FeatureImportWizard_FirstPage_browse = &Browse...
FeatureImportWizard_messages_folder_title = Feature Directory
FeatureImportWizard_messages_folder_message = Select a directory that contains features
FeatureImportWizard_errors_locationMissing = Feature location is missing
FeatureImportWizard_errors_buildFolderInvalid = Feature Location is not a valid path
FeatureImportWizard_errors_buildFolderMissing= The directory specified does not exist

FeatureImportWizard_messages_updating = Updating...
FeatureImportWizard_title = Import Features
FeatureSection_addRequired=Add Required
FeatureSection_removeAll=Remove All
FeatureImportWizard_noToAll = No to A&ll
FeatureImportWizard_messages_noFeatures = No features found. Ensure that the chosen directory contains 'features' folder.
FeatureImportWizard_messages_title = Feature Import
FeatureImportWizard_messages_exists = Project ''{0}'' already exists. Is it OK to replace it?

FeatureImportWizard_operation_creating = Creating projects from features...
FeatureImportWizard_operation_multiProblem = Problems detected while importing features
FeatureImportWizard_operation_creating2 = Creating ''{0}''...

ForbiddenAccessProposal_quickfixMessage=Export the ''{0}'' package from the ''{1}'' plug-in

UpdateBuildpathWizard_wtitle = Java Classpath
UpdateBuildpathWizard_title = Update Java class path
UpdateBuildpathWizard_desc = Selected plug-ins and fragments will have their class path recomputed.
UpdateBuildpathWizard_availablePlugins = &Available plug-ins and fragments:

###### Actions ########################################
EditorActions_save = &Save
EditorActions_cut = Cu&t
EditorActions_copy = &Copy
EditorActions_paste = &Paste
EditorActions_revert = Re&vert
Actions_open_label = &Open
Actions_delete_label = &Delete
Actions_filter_relatedPluginElements=&Filter Related
Actions_synchronizeVersions_label = S&ynchronize Versions...

Menus_new_label = &New

Actions_Feature_OpenProjectWizardAction = &New Feature Project...
Actions_Site_OpenProjectWizardAction = &New Update Site...
UnresolvedImportFixProcessor_1=Remove ''{0}'' from required bundles
UnresolvedImportFixProcessor_2=Adds a bundle that exports the needed package to the list of required bundles for this project.
UnresolvedImportFixProcessor_3=Add ''{0}'' to imported packages
UnresolvedImportFixProcessor_4=Remove ''{0}'' from imported packages
UnresolvedImportFixProcessor_5=Adds an import package dependency for this project.
UnresolvedImportFixProcessor_0=Add ''{0}'' to required bundles
UpdateClasspathJob_error_title = Update Classpaths
UpdateClasspathJob_error_message = Updating failed. See log for details.
UpdateClasspathResolution_label=Update the classpath and compliance settings
UpdateClasspathJob_task = Update classpaths...
UpdateClasspathJob_title = Updating Plug-in Classpaths

RuntimeWorkbenchShortcut_title=Select Configuration
RuntimeWorkbenchShortcut_select_debug=Select a launch configuration to debug:
RuntimeWorkbenchShortcut_select_run=Select a launch configuration to run:
RuntimeInfoSection_addEntry=Add Entry
RuntimeInfoSection_rename=Rename Library
RuntimeInfoSection_replace=Replace...
RuntimeInfoSection_replacedialog=Replace library entry
RuntimeInstallJob_Creating_installable_unit=Creating installable unit for {0}
RuntimeInstallJob_ErrorCouldNotFindUnitInRepo=Could not find the exported unit with id: {0} version: {1}
RuntimeInstallJob_ErrorCouldNotGetIdOrVersion=Could not determine the id and version of the exported object: {0}
RuntimeInstallJob_ErrorCouldntOpenProfile=Could not open the current profile to install
RuntimeInstallJob_installPatchDescription=This patch was created as part of a plug-in export and install operation to modify the contents of the current application.
RuntimeInstallJob_installPatchName={0} Install Patch
RuntimeInstallJob_Job_name_installing=Installing into running application
BaseExtensionPointMainPage_pluginId_tooltip = Browse workspace plug-ins
BaseExtensionPointMainPage_schemaLocation_tooltip = Select new schema file container
BaseExtensionPointMainPage_errorMsgPluginNotFound=Defining plug-in not found: ''{0}''
BaseExtensionPointMainPage_pluginBrowse = B&rowse...
BaseExtensionPointMainPage_findBrowse = Bro&wse...
BaseProductCreationOperation_taskName=Creating product configuration...
BaseExtensionPointMainPage_since=Since:
BaseExtensionPointMainPage_schemaLocation_title = Folder Selection
BaseExtensionPointMainPage_schemaLocation_desc = Select a target container for extension point schema:
EditorPreferencePage_colorSettings = Source page color settings:
EditorUtilities_pathNotValidImage=The specified path does not point to a valid image.
EditorUtilities_imageTooLargeInfo=Images larger than {0} will overlap or hide text
EditorPreferencePage_text=Text
EditorPreferencePage_proc=Processing instructions

# DO NOT TRANSLATE "org.eclipse.ui.preferencePages.GeneralTextEditor" and "org.eclipse.ui.preferencePages.ColorsAndFonts"
EditorPreferencePage_link=See <a href=\"org.eclipse.ui.preferencePages.GeneralTextEditor\">'Text Editors'</a> for general text editor preferences and <a href=\"org.eclipse.ui.preferencePages.ColorsAndFonts\">'Colors and Fonts'</a> to configure the font.

EditorPreferencePage_string=Constant strings
EditorUtilities_noImageData=The specified file contains no image data
EditorPreferencePage_tag=Tags
EditorPreferencePage_xml=&XML Highlighting
EditorUtilities_icoError=The specified ICO file is missing images:
EditorPreferencePage_comment=Comments
EditorPreferencePage_manifest=&Manifest Highlighting
EditorUtilities_incorrectSize=The specified image is not the correct size: {0}.
EditorUtilities_incorrectImageDepth=The specified image has an incorrect depth: {0}-bit.
EditorUtilities_imageTooLarge=The specified image is too large: {0}.
EditorUtilities_missingIcoNote={0} ({1}-bit)
PluginContentPage_yes=&Yes

#################Search Page###############################
SearchPage_searchString = Search s&tring (*=any string, ?=any character):
SearchPage_caseSensitive = &Case sensitive
SearchPage_searchFor = Search For
SearchResult_matches=matches
SearchPage_limitTo = Limit To
SearchPage_externalScope = External Scope
SearchPage_plugin = &Plug-in
SearchPage_fragment = &Fragment
SelectionPage_title=Selection
SearchPage_extPt = E&xtension Point
SearchPage_declarations = &Declarations
SearchPage_references = &References
SearchPage_allOccurrences = All &Occurrences
SearchPage_all = &All
SearchPage_enabledOnly = &Enabled Plug-ins Only
SearchPage_none = &None
SearchResult_match=match
SelectionPage_desc=Select the sample to create from the provided list.
SearchAction_references = Find Re&ferences
SearchAction_Declaration = Find Declaratio&n
ShowDescriptionAction_label = Sho&w Description
ShowDescriptionAction_title=Extension Point Description
ShowAllExtensionsAction_label=Clear F&ilter
DefaultJUnitWorkspaceBlock_name=JUnit workspace location
DefinitionPage_0=Definition
DefinitionPage_1=Target Definition
DependencyExtent_singular = dependency
DependencyExtent_plural = dependencies
DetailsBlock_horizontal=Horizontal layout
DependencyExtent_found = found
DependencyExtentAction_label = Compute Dependenc&y Extent
DependencyExtentQuery_label=Dependency on
UnusedDependencies_title = Unused Dependencies
UnusedDependencies_action = Find &Unused Dependencies
UnusedDependencies_notFound = No unused dependencies were found.
UnusedDependenciesJob_viewResults=View Results
UnusedDependenciesAction_jobName=Find unused dependencies
UnusedDependencies_remove = Select the unused dependencies to be removed:
UnusedDependencies_analyze = Analyzing dependencies...
UnusedDependencies_unused = unused
RemoveExportPkgs_label = Remove ''{0}'' from exported packages
RemoveExportPkgs_description = Remove ''{0}'' from exported packages

DependenciesView_open= &Open
DependenciesView_ShowCalleesAction_label = Calle&es
DependenciesView_ShowCalleesAction_description = Show Callees
DependenciesView_ShowCalleesAction_tooltip = Show Callees
DependenciesView_ShowCallersAction_label = Show Calle&rs
DependenciesView_ShowCallersAction_description = Show Callers
DependenciesView_ShowCallersAction_tooltip = Show Callers
DependenciesView_ShowListAction_label = F&lat Layout
DependenciesView_ShowListAction_description = Set Flat Layout
DependenciesView_ShowListAction_tooltip = Set Flat Layout
DependenciesView_ShowTreeAction_label = &Hierarchical Layout
DependenciesView_ShowTreeAction_description = Set Hierarchical Layout
DependenciesView_ShowTreeAction_tooltip = Set Hierarchical Layout
DependenciesView_ShowLoopsAction_label = Display &Cycles
DependenciesView_ShowLoopsAction_description = Show Cycles
DependenciesView_ShowLoopsAction_tooltip = Show Cycles in Dependency Graph
DependenciesView_callees_tree_title = Hierarchical view of plug-ins required by ''{0}'':
DependenciesView_callees_list_title = Plug-ins directly or indirectly required by ''{0}'':
DependenciesView_callers_tree_title = Hierarchical view of plug-ins requiring ''{0}'':
DependenciesView_callers_list_title = Plug-ins requiring ''{0}'':
DependenciesView_cycles_title = (Cycles Detected)
DependenciesViewTreePage_CollapseAllAction_label = &Collapse All
DependenciesViewTreePage_CollapseAllAction_description = Collapse All
DependenciesViewTreePage_CollapseAllAction_tooltip = Collapse All
DependenciesPage_title=Dependencies
DependenciesPage_tabName=Dependencies
DependenciesPage_properties=Properties...
DetailsBlock_vertical=Vertical layout
DependenciesViewPage_focusOn = Focu&s On...
DependenciesViewPage_focusOnSelection = Foc&us On ''{0}''
DependenciesViewPage_showFragments=Show fragments
DependenciesViewPage_showOptional=Show optional dependencies
DependencyAnalysisSection_title=Dependency Analysis
DependencyAnalysisSection_loops=Dependency Loops
DependencyAnalysisSection_noCycles=The dependency graph of this plug-in does not contain cycles.
DependencyPropertiesDialog_version=Version:
DependencyPropertiesDialog_versionRangeError=Minimum version must be less than or equal to maximum version
DependencyPropertiesDialog_properties=Properties
DependencyExtentOperation_searching=Searching for dependencies on
DependencyPropertiesDialog_optional=&Optional
DependencyPropertiesDialog_reexport=&Reexport this dependency
DependencyPropertiesDialog_groupText=Version to match
DependencyExtentOperation_inspecting=Inspecting package:
DependencyExtentSearchResult_dependency=dependency
DependencyExtentSearchResult_dependencies=dependencies
DependencyExtentSearchResultPage_referencesInPlugin=Find references in this plug-in
DependencyAnalysisSection_fragment_editable=<form>\
<p><img href="dependencies"/> <a href="references">Find this fragment's host plug-in</a></p>\
<p><img href="search"/> <a href="unused">Find unused dependencies</a></p>\
</form>
DependencyAnalysisSection_fragment_notEditable=<form>\
<p><img href="dependencies"/> <a href="references">Find this fragment's host plug-in</a></p>\
</form>
DependencyAnalysisSection_plugin_editable = <form>\
<p><img href="hierarchy"/> <a href="hierarchy">Show the plug-in dependency hierarchy</a></p>\
<p><img href="dependencies"/> <a href="references">Show dependent plug-ins and fragments</a></p>\
<p><img href="loops"/> <a href="loops">Look for cycles in the dependency graph</a></p>\
<p><img href="search"/> <a href="unused">Find unused dependencies</a></p>\
</form>
DependencyPropertiesDialog_invalidFormat=The specified version is invalid
DependencyPropertiesDialog_comboInclusive=Inclusive
DependencyPropertiesDialog_comboExclusive=Exclusive
DependencyPropertiesDialog_minimumVersion=&Minimum Version:
DependencyPropertiesDialog_maximumVersion=Ma&ximum Version:
DependencyPropertiesDialog_exportGroupText=Version exported
DependencyAnalysisSection_plugin_notEditable = <form>\
<p><img href="hierarchy"/> <a href="hierarchy">Show the plug-in dependency hierarchy</a></p>\
<p><img href="dependencies"/> <a href="references">Show dependent plug-ins and fragments</a></p>\
<p><img href="loops"/> <a href="loops">Look for cycles in the dependency graph</a></p>\
</form>

HistoryAction_description=Open ''{0}'' in Hierarchy
HistoryAction_tooltip=Open ''{0}'' in Hierarchy
HistoryDropDownAction_tooltip = Previous Plug-ins
HistoryListAction_label = More...
HistoryListDialog_label = &Select the plug-in to open in the Plug-in Dependencies view:
HistoryListDialog_title = Plug-in Dependencies History
HistoryListDialog_remove_button = &Remove

PluginsView_open=&Open
PluginsView_openDependencies=Open &Dependencies
PluginsView_asBinaryProject=&Binary Project
PluginsView_asSourceProject=&Source Project
PluginsView_showDisabled=Show &disabled external plug-ins
PluginsView_showEnabled=Show &enabled external plug-ins
PluginsView_deferredLabel0=Plug-ins View
PluginsView_description=Filter matched {0} of {1} plug-ins.
PluginsView_showWorkspace=Show &workspace plug-ins
PluginsView_textEditor=&Text Editor
PluginsTab_customFeatureMode=features selected below
PluginWorkingSet_title=Plug-ins and Fragments Working Set
PluginsView_systemEditor=&System Editor
PluginsView_manifestEditor=&PDE Manifest Editor
PluginsTabToolBar_validate=&Validate {0}
PluginsTab_selectedPlugins=plug-ins selected below only
PluginContentPage_rcpGroup=Rich Client Application
PluginWorkingSet_emptyName=The name must not be empty
PluginWorkingSet_nameInUse=A working set with that name already exists
PluginsView_schemaEditor=PDE &Schema Editor
PluginsView_copy=&Copy
PluginsView_dependentPlugins=&Required Plug-ins
PluginsView_pluginsInJavaSearch=&Plug-ins in Java Search
PluginsTabToolBar_auto_validate=Validate {0} automatically prior to launchin&g
PluginsView_addToJavaSearch=&Add to Java Search
PluginsView_removeFromJavaSearch=Remove &from Java Search
PluginWorkingSet_setContent=Working set content:
PluginWorkingSet_selectAll_label=Select &All
PluginDevelopmentPage_extensions=&Always show the Extensions and Extension Points tabs
PluginWorkingSet_selectAll_toolTip=Select all of these plug-ins for this working set.
PluginWorkingSet_deselectAll_label=Dese&lect All
PluginDevelopmentPage_presentation=Plug-in Manifest Editor Presentation
PluginGeneralInfoSection_lazyStart=Activate this plug-in when one of its classes is loaded
PluginGeneralInfoSection_singleton=This plug-in is a singleton
FragmentGeneralInfoSection_singleton=This fragment is a singleton
PluginWorkingSet_deselectAll_toolTip=Unselect all of these plug-ins for this working set.
PluginListPage_initializeFromPlugins=&Initialize from the plug-ins list:
PluginEditor_exportTooltip=Export deployable plug-ins and fragments
PluginWorkingSet_noPluginsChecked=At least one plug-in must be checked
PluginStatusDialog_pluginValidation=Validation
PluginsView_openWith=Open &With
PluginsView_import=I&mport As
PluginsView_select=Se&lect
PluginsView_showIn=Sho&w In
PluginsTab_target=Target Platform
PluginsTab_launchWith=&Launch with:
PluginsTab_allPlugins=all workspace and enabled target plug-ins
PluginsView_CollapseAllAction_label = &Collapse All
PluginListPage_initializeFromLaunch=Ini&tialize from a launch configuration:
PluginsView_CollapseAllAction_description = Collapse All
PluginsView_CollapseAllAction_tooltip = Collapse All
# Select all is part of a submenu "Select" hence the label is not "Select all"
PluginsView_SelectAllAction_label = &All
PluginsView_TotalPlugins_unknown=<unknown>

PluginSection_open=Open
PluginsView_unableToOpen = Unable to open external editor: {0}
PluginWorkingSet_setName=Working set name:
PluginWorkingSet_message=Enter a working set name and select the working set plug-ins:
PluginStatusDialog_label=The following problems were detected:
PluginSection_removeAll=Remove All
PluginSection_includeOptional=Include optional dependencies when computing required plug-ins
PluginsView_disabled = {0} - disabled
PluginContentPage_no=N&o
PluginContentPage_noEE=<No Execution Environment>
PluginSection_remove=Remove
PluginExportJob_name=Export Plug-ins
PluginExportWizard_Ant_errors_during_export_logs_generated=Errors occurred during the export operation. The ant tasks generated log files which can be found at {0}
PluginExportWizard_InstallJobName=Install Job
RequiredPluginsContainerPage_title=Plug-in Dependencies
RequiredPluginsContainerPage_desc=This read-only container dynamically manages the plug-in's dependencies
RequiredPluginsContainerPage_label=&Resolved classpath:

NewSiteWizard_wtitle = New Update Site
NewSiteWizard_MainPage_title = Update Site Project
NewRestrictionDialog_message=Enter a new restriction:
NewTargetDefnitionFileWizardPage_0=''{0}'' already exists.
NewTargetProfileWizard_title=New Target Definition
NewSiteWizard_creatingProject = Creating project...
NewSiteWizard_creatingManifest = Creating manifest...
NewSiteWizard_MainPage_desc = Create a new update site project

##############
SiteHTML_checkLabel = &Generate a web page listing all available features within the site
SiteHTML_webLabel = &Web resources location:
SiteHTML_webError = Web resources location must be set.
SiteHTML_loadError = Document could not be loaded by browser.

##############

CompilersConfigurationBlock_plugins=&Plug-ins
CompilersConfigurationBlock_schemas=&Schemas
CompilersConfigurationBlock_features=&Features and Update Sites
CompilersConfigurationBlock_label=Select the severity level for the following problems:
CompilersConfigurationBlock_altlabel=Select the following compiler options:

CompilersPreferencePage_configure_project_specific_settings=<A>Configure Project Specific Settings...</A>
CompilersPreferencePage_title=Plug-in Compiler

CompilersPropertyPage_useworkspacesettings_change = <a>&Configure Workspace Settings...</a>
ControlValidationUtility_errorMsgPluginUnresolved=The specified plug-in is unresolved
CompilersPropertyPage_useprojectsettings_label = E&nable project specific settings

compilers_p_unresolved_import= U&nresolved dependencies:
compilers_p_unresolved_ex_points= Un&resolved extension points:
compilers_p_unknown_element= Ille&gal elements:
compilers_p_unknown_attribute=&Illegal attributes:
compilers_p_unknown_class= References to non-existent &classes:
compilers_p_discouraged_class= References to disco&uraged classes:
compilers_p_unknown_resource= References to non-e&xistent resources:
compilers_p_unknown_identifier= References to non-exis&tent identifier attributes:
compilers_p_no_required_att=Re&quired attributes not defined:
compilers_p_not_externalized_att = Usage of non-externali&zed strings:
compilers_p_deprecated = Usage of deprecated attributes and &elements:
compilers_p_internal = Usage o&f internal extension points:
compilers_p_exported_pkgs = Missing exported pac&kages:
compilers_p_missing_exp_pkg = Missing versions on exported packages:
compilers_p_missing_imp_pkg = Missing versions on imported packages:
compilers_p_missing_require_bundle = Missing versions on required bundles:

compilers_s_create_docs = &Generate reference documentation from schemas
compilers_s_doc_folder = Do&cumentation folder:
compilers_s_open_tags = &Unmatched tags in documentation:

compilers_f_unresolved_plugins = U&nresolved plug-in references:
compilers_f_unresolved_features = Un&resolved feature references:

ContainerRenameParticipant_renameFolders=Rename folders referenced in plug-in manifest and build files
ContainerRenameParticipant_renameBundleId=Rename Bundle-SymbolicName
CompilersConfigurationTab_buildPropertiesErrors=Other problems with &build.properties files:
ControlValidationUtility_errorMsgNotOnClasspath=The specified class is not on the plug-in classpath
CompilersConfigurationBlock_building = Building Projects...
CompilersConfigurationTab_incompatEnv=Incompatible en&vironment:

ExportWizard_Plugin_pageTitle = Deployable plug-ins and fragments
ExportWizard_Feature_pageTitle = Deployable features
ExportWizard_Plugin_pageBlock = &Available Plug-ins and Fragments:
ExportWizard_Feature_pageBlock = &Available Features:
ExportWizard_Plugin_description = Export the selected projects into a form suitable for deploying in an Eclipse product
ExportWizard_archive = Ar&chive file:
ExportWizard_includeSource = E&xport source:
ExportWizard_includeSourceInBinaryBundles = Include source in exported plug-ins
ExportWizard_generateAssociatedSourceBundles = Generate source bundles
ExportWizard_includesMetadata = Generate metadata &repository
ExportWizard_generateCategories = &Categorize repository
ExportWizard_multi_platform = Export for &multiple platforms
ExportWizard_destination = &Destination
ExportWizard_options = &Options
ExportWizard_directory = Director&y:
ExportWizard_workingSet = Wor&king Set...
ExportWizard_browse = Bro&wse...
ExportWizard_antCheck = Sa&ve as Ant script:
ExportWizard_dialog_title = Destination Directory
ExportWizard_dialog_message = Select a destination directory for the export operation:
ExportWizard_status_noselection = No items selected.
ExportWizard_status_nodirectory = Destination directory must be specified.
ExportWizard_status_invaliddirectory = Destination directory must be a valid path.
ExportWizard_status_nofile = Archive file must be specified.
ExportWizard_status_noantfile = An Ant build file must be specified.
ExtensionsPage_title=Extensions
ExtensionsPage_tabName=Extensions
ExtensionsPage_sortAlpha=Sort the Extensions alphabetically
ExtensionsPage_toggleExpandState=Toggle Expand State
ExtensionDetails_title=Extension Details
ExtensionDetails_desc=Set the properties of the selected extension. Required fields are denoted by "*".
ExtensionDetails_id=ID
ExtensionDetails_name=Name

FeatureImportWizardPage_importHasInvalid=Import location {0} contains invalid feature.
FeatureImportWizard_DetailedPage_problemsLoading=Problems encountered while loading features
NewArchiveDialog_alreadyExists=Archive with the same path already exists.
UpdateClasspathAction_find=Find Classpaths to Recompute
UpdateClasspathAction_none=There are no plug-ins or fragments whose classpaths need to be recomputed.
RenameDialog_label=&Enter new name:
RenameDialog_validationError = Name already exists.
RenameProjectChange_name=Rename ''{0}'' to ''{1}''
RenameProjectChange_taskTitle=rename project
RenameProvidePackageResolution_desc=Rename the deprecated Provide-Package to Export-Package.
RenameExtensionPointProcessor_changeTitle=Rename Extension Point Id from ''{0}'' to ''{1}''
RenameExtensionPointProcessor_processorName=Rename Extension Point Id
RenameExtensionPointWizard_pageTitle=Rename Extension Point
RenameProvidePackageResolution_label=rename to Provide-Package
RenamePluginWizardPage_idNotSet=ID is not set
RenamePluginWizardPage_invalidId=Invalid ID
RenamePluginProcessor_changeTitle=Rename bundle ''{0}'' to ''{1}''
ReferenceAttributeRow_browse=Browse...
RenamePluginAction_label=Re&name...
RenamePluginWizardPage_newId=&New ID:
RemoveBuildOrderEntries_desc=.project file contains potentially harmful <project> entries.
EditableTablePart_renameAction=Rename...
EditableTablePart_renameTitle=Rename
UpdateActivationResolution_bundleActivationPolicy_desc=Convert the deprecated ''{0}'' to ''Bundle-ActivationPolicy''
UpdateActivationResolution_bundleActivationPolicy_label=Convert to Bundle-ActivationPolicy
UpdateActivationResolution_lazyStart_desc=Rename the deprecated Eclipse-AutoStart to Eclipse-LazyStart.  The semantics of the header remain the same.
UpdateActivationResolution_lazyStart_label=rename to Eclipse-LazyStart

######### Category Editor ####################################
CategoryPage_header = Category Definition
CategoryDefinitionWizardPage_title=Category Definition
CategoryDefinitionWizardPage_description=Create a new category definition.
NewCategoryDefinitionWizard_creatingManifest = Creating manifest...
NewCategoryDefinitionWizard_title=New Category Definition
CategoryDefinitionCategorySection_title=Managing the Categories
CategoryDefinitionCategorySection_new=New Category
CategoryDefinitionCategorySection_desc=1. Add the categories to be published into the repository.\n\
2. For easier browsing of the repository, add the features to the desired categories.\n\

######### Site Editor #########################################
CategorySection_title=Managing the Site
CategorySection_new=New Category
CategorySection_desc=1. Add the features to be published on the site.\n\
2. For easier browsing of the site, categorize the features by dragging.\n\
3. Build the features.
CategorySection_add = Add Feature...
CategorySection_remove = Remove
CategorySection_environment = Synchronize...
CategorySection_buildAll = Build All
CategorySection_build = Build
CategorySection_newCategoryName = new_category_{0}
CategorySection_newCategoryLabel = New Category {0}

######### Target Export Wizard ###################################33
ExportActiveTargetDefinition = Exporting Target Definition
ExportActiveTargetDefinition_message = Please choose a destination directory to export all target content
ExportTargetCurrentTarget = Active &Target:
ExportTargetChooseFolder = &Destination:
ExportTargetBrowse = &Browse...
ExportTargetSelectDestination = Select Destination
ExportTargetSpecifyDestination = Specify the destination directory for the current target
ExportTargetClearDestination = &Clear destination directory before exporting
ExportTargetError_ChooseDestination = Please choose a destination directory
ExportTargetError_validPath = Destination directory must be a valid path


CategoryDetails_title = Category Properties
CategoryDetails_sectionDescription = Provide a unique id, a name and a description for each category.\n\
"*" denotes a required field.
CategoryDetails_name = &ID*:
CategoryDetails_label = &Name*:
CategoryDetails_desc = De&scription:
CategoryDetails_alreadyExists=The category must have a unique id.
CategoryDetails_alreadyExists_title = Invalid category id

FeaturesPage_title = Site Map
FeaturesPage_header = Update Site Map

SiteEditor_add=Add...
SiteEditor_edit=Edit...
SiteEditor_remove=Remove
SiteEditor_NewArchiveDialog_path=&Path:
SiteEditor_NewArchiveDialog_url=&URL:
SiteEditor_NewArchiveDialog_title=Site Archive
SiteEditor_NewArchiveDialog_error=Both fields are required
SiteEditor_ArchiveSection_header=Archive Mapping
SiteEditor_ArchiveSection_instruction = Every data archive located outside the features subdirectory must be mapped to that directory with a path-to-URL mapping.
SiteEditor_ArchiveSection_col1=Path
SiteEditor_ArchiveSection_col2=URL
SiteEditor_DescriptionSection_header=Site Description
SiteEditor_DescriptionSection_desc=Describe the update site and specify its address.
SiteEditor_DescriptionSection_descLabel=Description:
SiteEditor_DescriptionSection_urlLabel=URL:
SiteEditor_MirrorsSection_header = Site Mirrors
SiteEditor_MirrorsSection_desc = If this site is mirrored on other servers, specify an absolute or relative URL of the file containing mirror site definitions.
SiteEditor_MirrorsSection_urlLabel = URL:

SynchronizePropertiesAction_label = S&ynchronize Feature Properties...
SynchronizePropertiesWizard_wtitle = Feature Properties
SynchronizePropertiesWizardPage_title = Feature Properties Synchronization
SynchronizePropertiesWizardPage_desc = Synchronize features to copy their environment and patch properties into the site.
SynchronizePropertiesWizardPage_group = Synchronization Options
SynchronizationOperation_externalPlugin=The plug-in ''{0}'' is not in the workspace and cannot therefore be modified.  Please import it into your workspace and retry.
SynchronizePropertiesWizardPage_selectedFeatures = Synchronize &selected features only
SynchronizationOperation_noDefiningPlugin=The product's defining plug-in could not be found.
SynchronizePropertiesWizardPage_allFeatures = Synchronize &all features on the site
SynchronizePropertiesWizardPage_synchronizing = Synchronizing properties...

PDEFormPage_help=Help
PDEFormPage_titleMessage=Message
PDEFormPage_titleDetails=Details
GeneralInfoSection_id=ID:
GeneralInfoSection_name=Name:
GeneralInfoSection_class=Activator:
GeneralInfoSection_browse=Browse...
GeneralInfoSection_platformFilter=Platform Filter:
GeneralInfoSection_selectionTitle=Select Type
RequiresSection_title=Required Plug-ins
RequiresSection_fDesc=Specify the list of plug-ins required for the operation of this fragment.
RequiresSection_desc=Specify the list of plug-ins required for the operation of this plug-in.
RequiresSection_down=Down
RequiresSection_add=Add...
RequiresSection_up=Up
RequiresSection_open=Open
RequiresSection_properties=Properties
RequiresSection_sortAlpha=Sort the plug-ins alphabetically
RequiresSection_delete=Remove
LoopDialog_title=Cycles in Dependency Graph
ProductDefinitonWizardPage_productGroup=Product Definition
MatchSection_title=Dependency Properties
MatchSection_desc=Define the properties of the selected dependency.
ClasspathSection_jarsMessage=Select JAR archives to be added to the plug-in's classpath:
ClasspathSection_fragment=Specify the libraries and folders that constitute the fragment runtime.  If unspecified, the classes and resources are assumed to be at the root of the fragment.
ClasspathSection_plugin=Specify the libraries and folders that constitute the plug-in classpath.  If unspecified, the classes and resources are assumed to be at the root of the plug-in.
OverviewPage_exportingTitle=Exporting
OverviewPage_buildQuestion=The plug-in does not contain a build configuration file.  Would you like to create one?
OverviewPage_content=<form>\
<p>The content of the plug-in is made up of two sections:</p>\
<li style="image" value="page" bindent="5"><a href="dependencies">Dependencies</a>: lists all the plug-ins required on this plug-in's classpath to compile and run.</li>\
<li style="image" value="page" bindent="5"><a href="runtime">Runtime</a>: lists the libraries that make up this plug-in's runtime.</li>\
</form>
OverviewPage_contentTitle=Content
OverviewPage_osgi = <form>\
<p>For this plug-in to take advantage of additional runtime capabilities, <a href="action.convert">create an OSGi bundle manifest</a>.</p>\
</form>
OverviewPage_testing=<form>\
<p>Test this plug-in by launching a separate Eclipse application:</p>{0}</form>
OverviewPage_OSGiTesting=<form>\
<p>Test this plug-in by launching an OSGi framework:</p>{0}</form>
OverviewPage_tabName=Overview
OverviewPage_title=Overview
OverviewPage_deploying=<form>\
<p>To package and export the plug-in:</p>\
<li style="text" value="1." bindent="5">Organize the plug-in using the <a href="organize">Organize Manifests Wizard</a></li>\
<li style="text" value="2." bindent="5">Externalize the strings within the plug-in using the <a href="externalize">Externalize Strings Wizard</a></li>\
<li style="text" value="3." bindent="5">Specify what needs to be packaged in the deployable plug-in on the <a href="build">Build Configuration</a> page</li>\
<li style="text" value="4." bindent="5">Export the plug-in in a format suitable for deployment using the <a href="export">Export Wizard</a></li>\
</form>
OverviewPage_fOsgi = <form>\
<p>For this fragment to take advantage of additional runtime capabilities, you need to <a href="action.convert">create an OSGi bundle manifest</a>.</p>\
</form>
OverviewPage_error=Error
OverviewPage_fContent=<form>\
<p>The content of the fragment is made up of two sections:</p>\
<li style="image" value="page" bindent="5"><a href="dependencies">Dependencies</a>: lists all the plug-ins required on this fragment's classpath to compile and run.</li>\
<li style="image" value="page" bindent="5"><a href="runtime">Runtime</a>: lists the libraries that make up this fragment's runtime.</li>\
</form>
OverviewPage_fTesting=<form>\
<p>Test this fragment by launching a separate Eclipse application:</p>{0}</form>
OverviewPage_fDeploying=<form>\
<p>To package and export the fragment:</p>\
<li style="text" value="1." bindent="5">Organize the fragment using the <a href="organize">Organize Manifests Wizard</a></li>\
<li style="text" value="2." bindent="5">Specify what needs to be packaged in the deployable fragment on the <a href="build">Build Configuration</a> page</li>\
<li style="text" value="3." bindent="5">Export the fragment in a format suitable for deployment using the <a href="export">Export Wizard</a></li>\
</form>
OverviewPage_extensionContent=<form>\
<p>This plug-in may define extensions and extension points:</p>\
<li style="image" value="page" bindent="5"><a href="extensions">Extensions</a>: declares contributions this plug-in makes to the platform.</li>\
<li style="image" value="page" bindent="5"><a href="ex-points">Extension Points</a>: declares new function points this plug-in adds to the platform.</li>\
</form>
OverviewPage_environmentTitle=Environment
OverviewPage_extensionPageMessageTitle=Extension pages hidden
OverviewPage_extensionPageMessageBody=The Extension and Extension Point pages are currently hidden, would you like to display them now?
OverviewPage_environmentDescription=<form>\
<p>The <a href="environment">Environment</a> section contains additional settings for the target including locale, operating system, java runtime, arguments and implicit dependencies.</p>\
</form>
OverviewPage_fExtensionContent=<form>\
<p>This fragment may define extensions and extension points:</p>\
<li style="image" value="page" bindent="5"><a href="extensions">Extensions</a>: declares contributions this fragment makes to the platform.</li>\
<li style="image" value="page" bindent="5"><a href="ex-points">Extension Points</a>: declares new function points this fragment adds to the platform.</li>\
</form>
OverviewPage_contentDescription=<form>\
<p>The <a href="content">Content</a> section specifies the set of plug-ins that will be included in the target platform.</p>\
</form>
OverviewPage_buildTitle=Build Configuration
OverwriteProjectsSelectionDialog_0=&Projects to delete:
ClassAttributeRow_dialogTitle=Select Type
ArchivePage_title=Description and Archives
ArchivePage_name=Archives

SampleWizard_title=Sample Wizard
SampleEditor_desc=<form>{0}</form>
SampleWizard_overwrite=Project "{0}" already exists. Do you want to replace it?
SampleEditor_content=<form>\
<p><b>What you can do with the sample</b></p>\
<li>Browse the source code in the workspace.</li>\
<li>When ready, <a href="run">run the sample</a> and follow instructions in the <img href="help"/><a href="help">help document.</a></li>\
<li>Later on, you can re-run the sample by pressing the <img href="run"/><b>Run</b> icon on the tool bar.</li>\
<li>If you place breakpoints in the code, you can <a href="debug">debug it.</a></li>\
<li>Later on, you can debug the sample by pressing the <img href="debug"/><b>Debug</b> icon on the tool bar.</li>\
</form>
SampleOperation_creating=Creating projects...
SampleStandbyContent_content=<form>\
<p><b>What you can do with the sample</b></p>\
<li><a href="browse">Browse the source code</a> in the workspace.</li>\
<li>When ready, <a href="run">run the sample</a> and follow instructions in the <img href="help"/><a href="help">help document.</a></li>\
<li>Later on, you can re-run the sample by pressing the <img href="run"/><b>Run</b> icon on the tool bar.</li>\
<li>If you place breakpoints in the code, you can <a href="debug">debug it.</a></li>\
<li>Later on, you can debug the sample by pressing the <img href="debug"/><b>Debug</b> icon on the tool bar.</li>\
</form>
SampleStandbyContent_desc=<form>{0}</form>
SaveToWorkspace_ConfirmOverwrite=Comfirm Overwrite
SaveToWorkspace_ConfirmOverwriteText=File {0} already exists. Are you sure you want to overwrite it?
SaveToWorkspace_SaveImageToWorkspace=Save image to the workspace
ReviewPage_title=Review
ReviewPage_desc=Review the selected sample.
ReviewPage_descContent = <p>You have selected the following sample:</p>\
<p><b>{0}</b></p>\
<p>{1}</p>\
<p>If the selection is correct, press <b>Finish</b> to create the sample.</p>
ReviewPage_content = <p>You have selected the following sample:</p>\
<p><b>{0}</b></p>\
<p>If the selection is correct, press <b>Finish</b> to create the sample.</p>
ShowSampleAction_title=Eclipse Samples
ShowSampleAction_msgDesc=The samples are currently not installed. Do you want to download samples from Eclipse.org?
ShowSampleAction_installing=Installing sample plug-ins
ShowSampleAction_msgTitle=Samples
SelfHostingPropertyPage_label=By default, all output folders are put on the plug-in's classpath when running a runtime Eclipse application.
SecondaryBundlesSection_title=Automated Management of Dependencies
SelfHostingPropertyPage_viewerLabel=Deselect the folders to be excluded:
RuntimePage_tabName=Runtime
ApplicationSelectionDialog_debug=Choose an application to debug:
ApplicationSelectionDialog_run=Choose an application to run:
ApplicationSelectionDialog_dtitle=Debug
ApplicationSelectionDialog_rtitle=Run

ElementSection_missingRefElement=Referenced element not available
TargetProfileWizardPage_description=Create a new target definition.
TargetImplicitPluginsTab_removeAll3=R&emove All
TargetProfileWizardPage_title=Target Definition
TableSection_itemCount=Total: {0}
TargetDefinitionContentPage_0=Resolving Target Contents
TargetDefinitionContentPage_1=Target Content
TargetDefinitionContentPage_2=Edit the name, description, and plug-ins contained in a target.
TargetDefinitionContentPage_4=&Name:
TargetDefinitionContentPage_6=&Content
TargetDefinitionContentPage_7=The target name cannot be blank.
TargetDefinitionContentPage_8=Enter a name for this target definition
TargetDefinitionContentPage_LocationDescription=The following list of locations will be used to collect plug-ins for this target definition.
TargetDefinitionEnvironmentPage_3=En&vironment
TargetDefinitionEnvironmentPage_4=Ar&guments
TargetDefinitionEnvironmentPage_5=I&mplicit Dependencies
TargetEditor_0=Save target to another location.
TargetEditor_1=Resolving Target Definition
TargetEditor_2=Refreshing Tree Content
TargetEditor_3=Unable to perform save
TargetEditor_4=Target Editor
TargetEditor_5=Unable to load target definition model. Target Editor will be closed.
TargetEditor_6=The editor input ''{0}'' is not supported.
TargetCreationPage_0=Initialize the target definition with:
TargetCreationPage_1=Nothing: Start &with an empty target definition
TargetCreationPage_2=&Default: Default target for the running platform
TargetCreationPage_3=C&urrent Target: Copy settings from the current target platform
TargetCreationPage_4=&Template:
TargetCreationPage_6=New Target
TargetImplicitPluginsTab_desc=Specify plug-ins which should always be included when computing plug-in dependencies.
TargetPlatformPreferencePage2_0=Add, edit and remove target definitions.  The active target definition will be used as the target platform which workspace plug-ins will be compiled and tested against.  New definitions are stored locally, but they can be moved to a project in the workspace and shared with others.
TargetPlatformPreferencePage2_1=\ (Active)
TargetPlatformPreferencePage2_10=You have selected a target with a newer version than your current Eclipse installation.  This can cause unexpected behaviour in PDE.  Please use a newer version of Eclipse.
TargetPlatformPreferencePage2_11=Unable to delete target definition
TargetPlatformPreferencePage2_12=Reloading
TargetPlatformPreferencePage2_13=&Share...
TargetPlatformPreferencePage2_14=Problems With Target Definition
TargetPlatformPreferencePage2_15=Problems were found with the selected target definition.  You can still set the definition as the active target, but there may be problems building.
TargetPlatformPreferencePage2_16=Re&load...
TargetPlatformPreferencePage2_17=Target Definition Out Of Synch
TargetPlatformPreferencePage2_18=The active target platform is out of synch with the file system.  Pressing ok on the preference page will update the target platform.
TargetPlatformPreferencePage2_19=Remove Target Definition
TargetPlatformPreferencePage2_2=&Target definitions:
TargetPlatformPreferencePage2_20=Are you sure you want to remove the selected target definition?  Removing it will delete a file in your workspace.
TargetPlatformPreferencePage2_21=&Do not ask me again
TargetPlatformPreferencePage2_22=No target definition is currently set active.
TargetPlatformPreferencePage2_23=Target definition could not be located.
TargetPlatformPreferencePage2_24=The definition file for the current target could not be found. A new target definition file with same settings can be created by clicking "Add..." and choosing the "Current Target" option on the "New Target Definition" wizard that opens up.
TargetPlatformPreferencePage2_25=Locations:
TargetPlatformPreferencePage2_26=Garbage Collection
TargetPlatformPreferencePage2_27=Garbage collecting target definition bundle pool
TargetPlatformPreferencePage2_28=Target Version
TargetPlatformPreferencePage2_3=Add&...
TargetPlatformPreferencePage2_4=New Target Definition
TargetPlatformPreferencePage2_5=&Edit...
TargetPlatformPreferencePage2_6=Edit Target Definition
TargetPlatformPreferencePage2_7=&Remove
TargetPlatformPreferencePage2_8=Error
TargetPlatformPreferencePage2_9=Unable to set workspace target platform
TargetPlatformRepository_CouldNotFindTargetPlatformService=Could not find target platform service for image browser view.
TargetPlatformRepository_RunningPlatform=Running Application
TargetPlatformRepository_TargetPlatformLabel=Target Platform: {0}
EnvironmentBlock_jreTitle=Java Runtime Environment
EnvironmentSection_locale=Locale:
EnvironmentPage_title=Environment
EnvironmentBlock_targetEnv=Target Environment
EnvironmentSection_description=Specify the target environment.  If left blank, the default environment variables from the host (running) platform will be used.
EnvironmentSection_operationSystem=Operating System:
EnvironmentSection_windowingSystem=Windowing System:
EnvironmentSection_architecture=Architecture:

################Product Editor#####################
Product_overview_configuration = <form><p>The <a href="navigate.configuration">product configuration</a> is based on:</p></form>
Product_PluginSection_working=Add Working Set...
ProductInfoSection_version=Version:
Product_PluginSection_required=Add Required Plug-ins
ProductInfoSection_productname=Name:
ProductExportWizardPage_title=Eclipse product
ProductExportWizard_syncTitle=Synchronize
ProductExportWizardPage_config=Config&uration:
ProductExportWizardPage_browse=Bro&wse...
Product_PluginSection_removeAll=Remove All
Product_PluginSection_newPlugin=New Plug-in...
Product_DependenciesPage_title=Dependencies
ProductFileWizadPage_groupTitle=Initialize the file content
Product_PluginSection_newFragment=New Fragment...
ProductValidateAction_validate=Validate...
Product_overview_testing=<form>\
<li style="text" value="1." bindent="5"><a href="action.synchronize">Synchronize</a> this configuration with the product''s defining plug-in.</li>\
<li style="text" value="2." bindent="5">Test the product by launching a runtime instance of it:</li>{0}</form>
GeneralInfoSection_title=General Information
ProductInfoSection_title=Product Definition
ProductIntroWizard_title=New Welcome Page Wizard
ProductIntroWizardPage_title=New Welcome Page
ProductIntroWizardPage_description=This wizard creates a new welcome page for your product. Use the welcome page to\ndescribe your application's features in an organized presentation.
ProductIntroWizardPage_groupText=Product Welcome
ProductIntroWizardPage_formText=<form><p>A welcome page is defined declaratively as <a href="intro">org.eclipse.ui.intro</a> and <a href="intro.config">org.eclipse.ui.intro.config</a> extensions inside a plug-in.</p></form>
ProductIntroWizardPage_targetLabel=Target Plugin:
ProductIntroWizardPage_browse=Browse...
ProductIntroWizardPage_introLabel=Intro ID:
ProductIntroWizardPage_introNotSet=Intro ID is not set
Product_PluginSection_add=Add...
Product_PluginSection_title=Plug-ins and Fragments
Product_FeatureSection_desc=List the features that constitute the product.  Nested features need not be listed.
ProductInfoSection_plugins=plug-ins
ProductInfoSection_features=features
ProductExportWizardPage_desc=Use an existing Eclipse product configuration to export the product in one of the available formats.
ProductExportWizardPage_root=Roo&t directory:
ProductExportWizardPage_sync=Synchronization
ProductExportWizard_error=Error
ProductExportJob_name=Export Product
ProductExportWizard_corrupt=The specified product configuration is corrupt.
ProductDefinitionWizard_title=New Product Definition
ProductDefinitionWizard_error=Error
ProductDefinitonWizardPage_title=Product Definition
ProductDefinitonWizardPage_desc=Define a new Eclipse product and specify its plug-in and default application.
ProductDefinitonWizardPage_descNoName=Define a new Eclipse product and specify its name, plug-in and default application.
ProductDefinitonWizardPage_plugin=&Defining Plug-in:
ProductDefinitonWizardPage_browse=B&rowse...
ProductDefinitonWizardPage_productId=&Product ID:
ProductDefinitonWizardPage_productName=Product &Name:
ProductDefinitonWizardPage_noPluginId=Plug-in ID is not set
ProductDefinitonWizardPage_noPlugin=Specified plug-in does not exist
ProductDefinitonWizardPage_invalidId=Invalid product ID.  Legal characters are: a-z A-Z 0-9 _
ProductIntroWizardPage_targetNotSet=Target Plugin is not set
Product_FeatureSection_title=Features
Product_FeatureSection_newFeature=New Feature...
ProductExportWizardPage_productGroup=Product Configuration
ProductIntroWizardPage_introIdExists=Specified intro id already exists
ProductExportWizardPage_productNotExists=Specified product configuration does not exist.
ProductExportWizardPage_wrongExtension=A product configuration file name must have a '.product' extension
ProductExportWizardPage_fileSelection=File Selection
ProductIntroWizardPage_invalidIntroId=Invalid Intro ID.  Legal characters are: a-z A-Z 0-9 .
ProductEditor_exportTooltip=Export an Eclipse product
ProductExportWizardPage_productSelection=Select a product configuration
ProductExportWizardPage_exportOptionsGroup=Export Options
ProductExportWizardPage_syncText=Synchronization of the product configuration with the product's defining plug-in ensures that the plug-in does not contain stale data.
ProductExportWizardPage_syncButton=&Synchronize before exporting
ProductExportWizardPage_noProduct=Product configuration is not specified.
Product_OverviewPage_testing=Testing
Product_PluginSection_desc=List all the plug-ins and fragments that constitute the product.
Product_FeatureSection_add=Add...
ProductFileWizadPage_title=Create a new product configuration and initialize its content.
ProductFileWizadPage_basic=&Create a configuration file with basic settings
Product_overview_exporting = <form>\
<p>Use the <a href="action.export">Eclipse Product export wizard</a> to package and export the product defined in this configuration.</p><p></p>\
<p>To export the product to multiple platforms:</p>\
<li style="text" value="1." bindent="5">Install the RCP delta pack in the target platform.</li>\
<li style="text" value="2." bindent="5">List all the required fragments on the <a href="configuration">Dependencies</a> page.</li>\
</form>
GeneralInfoSection_desc=This section describes general information about the product.
ProductInfoSection_desc=This section describes the launching product extension identifier and application.
ProductInfoSection_id=ID:
ProductInfoSection_product=Product:
ProductInfoSection_productTooltip=The product extension identifier
ProductInfoSection_new=New...
ProductInfoSection_app=Application:
ProductInfoSection_appTooltip=The application extension identifier
ProductInfoSection_launchers=The product includes native launcher artifacts
SplashSection_title=Location
SplashSection_desc=The splash screen appears when the product launches. Specify the plug-in in which the splash screen is located.
SplashSection_plugin=Plug-in:
SplashSection_browse=Browse...
SplashSection_selection=Plug-in Selection
SplashSection_progressBar=Add a progress bar
SplashSection_progressX=x-offset:
SplashSection_progressWidth=width:
SplashSection_progressY=y-offset:
SplashSection_progressHeight=height:
SplashSection_progressMessage=Add a progress message
SplashTemplatesSection_typeName=Template:
SplashSection_message=Select the plug-in where the splash screen is located:
SplashPage_splashName=Splash
SplashSection_messageX=x-offset:
SplashSection_messageWidth=width:
SplashSection_messageColor=Text Color:
SplashSection_messageY=y-offset:
SplashSection_messageHeight=height:
BrandingPage_title=Branding
WindowImagesSection_title=Window Images
WindowImagesSection_desc=Specify the images that will be associated with the application window.  These images are typically located in the product's defining plug-in.
WindowImagesSection_browse=Browse...
WindowImagesSection_open=Open File
WindowImagesSection_16=16x16 Image:
WindowImagesSection_32=32x32 Image:
WindowImagesSection_48=48x48 Image:
WindowImagesSection_64=64x64 Image:
WindowImagesSection_128=128x128 Image:
WindowImagesSection_warning=The specified file could not be found.
WindowImagesSection_emptyPath=A path to an existing file must be provided.
WindowImagesSection_dialogTitle=Image Selection
WindowImagesSection_dialogMessage=Select a GIF or PNG image:
AboutSection_title=About Dialog
AboutSection_desc=Customize the text and image of the About dialog.  The image is typically located in the product's defining plug-in and its size must not exceed 500x330 pixels.  The text is not shown if the image size exceeds 250x330 pixels.
AboutSection_image=Image:
AboutSection_browse=Browse...
AboutSection_text=Text:
AboutSection_open=Open Image
AboutSection_warning=Specified image could not be found
AboutSection_imgTitle=Image Selection
AboutSection_imgMessage=Select a GIF or PNG image:
LauncherSection_solarisLabel=Four PM icons are required:
LauncherSection_launcherName=Launcher Name:
LauncherSection_dialogTitle=Image Selection
LauncherSection_dialogMessage=Select an image:
RemoveLazyLoadingDirectiveResolution_remove=Remove lazy activation header
ProductDefinitonWizardPage_applicationDefinition=<form><p>An Eclipse product must be associated with an <a href="applications">application</a>, the default entry point for the product when it is running.</p></form>
ArgumentsSection_0=Program arguments:
ArgumentsSection_1=VM arguments:
ArgumentsSection_title=Launching Arguments
ArgumentsSection_editorTitle=Arguments
ArgumentsSection_desc=Specify the program and VM arguments to launch the product with.  Platform-specific arguments should be entered on their respective tabs.
ArgumentsSection_program=Program Arguments:
ArgumentsSection_programTabLabel=Program
ArgumentsSection_allPlatforms=All Platforms
ArgumentsSection_vmTabLabel=VM
ArgumentsSection_description=Specify the default program and VM arguments for this target.  These values will be used as a template to initialize arguments on new PDE launch configurations.
ArgumentsSection_variableButtonTitle=Variables...
ArgumentsSection_argumentsButtonTitle=Import...
ArgumentsSection_vm=VM Arguments:

ProductJRESection_title=Execution Environment
ProductJRESection_desc=Specify the execution environment of the product. The respective default JRE will be bundled with the product.
ProductJRESection_eeName=Execution Environment:
ProductJRESection_browseEEs=Environments...
ProdctJRESection_bundleJRE=Bundle JRE for this environment with the product.

Product_FeatureSection_remove = Remove
Product_FeatureSection_open = Open
Product_FeatureSection_up = Up
Product_FeatureSection_down = Down
Product_FeatureSection_sortAlpha = Sort the features alphabetically

ImportPackageSection_desc = Specify packages on which this plug-in depends without explicitly identifying their originating plug-in.
ImportPackageSection_descFragment = Specify packages on which this fragment depends without explicitly identifying their originating plug-in.
ImplicitDependenicesSection_Title=Implicit Plug-in Dependencies
ImportPackageSection_add=Add...
ImportPackageSection_remove=Remove
ImportPackageSection_properties=Properties...
ImportPackageSection_goToPackage=Go to package
ImplicitDependenicesSection_Add=Add...
ImportPackageSection_required=Imported Packages
ImportPackageSection_exported=Exported Packages:
ImportPackageSection_selection=Package Selection
ImportPackageSection_propertyAction=Properties
ExportPackageSection_desc = Enumerate all the packages that this plug-in exposes to clients.  All other packages will be hidden from clients at all times.
ExportPackageSection_uses=Calculate Uses
ExportPackageSection_descFragment = Enumerate all the packages that this fragment exposes to clients.  All other packages will be hidden from clients at all times.
ExportPackageSection_add=Add...
ExportPackageSection_remove=Remove
CalculateUsesAction_jobName=Analyzing Uses directive
ExportPackageSection_properties=Properties...
ExportPackageSection_title=Exported Packages
ExportPackageSection_props=Properties
ExportPackageVisibilitySection_title=Package Visibility (Eclipse 3.1 or later)
ExportPackageSection_propertyAction=Properties
ExportPackageSection_findReferences=Find References
ExportOptionsTab_antReservedMessage=build.xml is a file name reserved for PDE
ExportOptionsTab_allowBinaryCycles=A&llow for binary cycles in target platform
ExportOptionsTab_use_workspace_classfiles=&Use class files compiled in the workspace
ExportPackageVisibilitySection_default=When the runtime is in strict mode, the selected package is:
ExportPackageVisibilitySection_hideAll=hidden from all plug-ins except:
CrossPlatformExportPage_available=&Available platforms:
CrossPlatformExportPage_title=Cross-platform export
CrossPlatformExportPage_desc=Select the platforms to which you want to deploy your product.
CreateClassXMLResolution_label=Create {0} ...
IntroSection_sectionDescription=The welcome page appears the first time the product is launched.  It is intended to introduce the features of the product to new users.
IntroSection_undefinedProductId=Undefined Product ID

InternationalizeAction_internationalizeTitle=Internationalize Plug-ins
InternationalizeAction_internationalizeMessage=All plug-ins have been internationalized
InternationalizeWizard_title=Internationalize Plug-ins
InternationalizeWizard_PluginPage_internationalizeList = Plug-ins to internationalize:
InternationalizeWizard_PluginPage_availableList = Plug-ins found:
InternationalizeWizard_PluginPage_filter = Filter available plug-ins
InternationalizeWizard_PluginPage_templateLabel = Fragment project name template:
InternationalizeWizard_PluginPage_pageTitle=Internationalize Plug-ins
InternationalizeWizard_PluginPage_pageDescription=Select the plug-ins to be internationalized.
InternationalizeWizard_PluginPage_overwriteWithoutAsking=Overwrite existing projects without warning
InternationalizeWizard_PluginPage_individualFragments=Create individual fragment projects for each locale
InternationalizeWizard_PluginPage_templateError=The name template cannot be blank.
InternationalizeWizard_PluginPage_selectionError=At least one plug-in must be selected.
InternationalizeWizard_LocalePage_pageTitle=Internationalize Plug-ins
InternationalizeWizard_LocalePage_pageDescription=Select the locales for which plug-ins should be internationalized.
InternationalizeWizard_LocalePage_internationalizeList = Locales to include:
InternationalizeWizard_LocalePage_availableList = Available locales:
InternationalizeWizard_LocalePage_filter = Filter available locales:
InternationalizeWizard_LocalePage_selectionError=At least one locale must be selected.
InternationalizeWizard_NLSFragmentGenerator_overwriteTitle = Confirm Overwrite
InternationalizeWizard_NLSFragmentGenerator_overwriteMessage = A fragment project with the name "{0}" already exists. Overwrite?
InternationalizeWizard_NLSFragmentGenerator_errorMessage = An error occured while generating an NL Fragment.

MainTab_jreSection = Java Runtime Environment
EquinoxPluginBlock_levelColumn=Start Level
EquinoxPluginsTab_defaultStart=Default S&tart level:
EquinoxPluginBlock_autoColumn=Auto-Start
EquinoxPluginsTab_defaultAuto=De&fault Auto-Start:
EquinoxSettingsTab_name=Settings
ModelChangeLabelProvider_instance=\ instance
ModelChangeLabelProvider_instances=\ instances
MoveTargetDefinitionPage_0=Share Target Definition
MoveTargetDefinitionPage_1=Choose a workspace location for the target definition file
MoveTargetDefinitionWizard_0=Share Target Definition
GetNonExternalizedStringsOperation_taskMessage=Scanning workspace for non-externalized manifest strings
GetNonExternalizedStringsAction_allExternalizedTitle=Externalize Strings
GetNonExternalizedStringsAction_allExternalizedMessage=All strings in manifest files have been externalized
RequiredExecutionEnvironmentSection_title=Execution Environments
RequiredExecutionEnvironmentSection_add=Add...
RequiredExecutionEnvironmentSection_remove=Remove
RequiredExecutionEnvironmentSection_up=Up
RequiredExecutionEnvironmentSection_down=Down
RequiredExecutionEnvironmentSection_fragmentDesc=Specify the minimum execution environments required to run this fragment.
RequiredExecutionEnvironmentSection_pluginDesc=Specify the minimum execution environments required to run this plug-in.
RequiredExecutionEnvironmentSection_dialog_title=Execution Environments
RequiredExecutionEnvironmentSection_dialogMessage=Select an execution environment:
ClassSearchParticipant_taskMessage=Searching for types and packages in manifest files
CreateJREBundleHeaderResolution_desc=Add the Eclipse-JREBundle header. This will enable the code to compile but it will still fail to run.
CreateManifestClassResolution_label=Create a new class for the {0} header...
CreateJREBundleHeaderResolution_label=add the Eclipse-JREBundle header
RemoveBuildOrderEntries_label=remove all <project> entries
RemoveNodeXMLResolution_label=Remove the {0} element.
RemoveNodeXMLResolution_attrLabel=Remove the {0} attribute.

RemoveUselessPluginFile_description=Delete file
AddNewExtensionResolution_description = Add an extension
AddNewExtensionPointResolution_description = Add an extension point
RemoveRequireBundleResolution_label=Remove bundle ''{0}'' from the list
RemoveUnknownExecEnvironments_label=Remove all unknown Execution Environments
AddDefaultExecutionEnvironment_label=Add ''{0}'' as a required execution environment
RemoveRequireBundleResolution_description=Remove bundle ''{0}'' from the list
RemoveSeperatorBuildEntryResolution_label=Remove the trailing separator in {0} from the {1} entry.
RemoveImportPkgResolution_description=Remove the ''{0}'' package from list
RemoveBuildEntryResolution_removeEntry=Remove the {0} build entry.
RemoveBuildEntryResolution_removeToken=Remove the {0} token from {1}.
ReplaceBuildEntryResolution_replaceToken=Change the value of ''{1}'' build entry to ''{0}''.
RemoveImportPkgResolution_label=Remove the ''{0}'' package from the list
OptionalImportPkgResolution_description=Mark ''{0}'' as an optional imported package
OptionalImportPkgResolution_label=Mark package ''{0}'' as an optional imported package
OptionalRequireBundleResolution_description=Mark bundle ''{0}'' as optional
OptionalRequireBundleResolution_label=Mark bundle ''{0}'' as optional
AddBundleManifestVersionResolution_description=Adds the 'Bundle-ManifestVersion: 2' header to support OSGi R4 headers
AddBundleManifestVersionResolution_label=Add the 'Bundle-ManifestVersion: 2' header
OrganizeManifestJob_taskName=Organizing Manifest Headers...
OrganizeManifestsWizard_title=Organize Manifests Wizard
OrganizeManifestsWizardPage_title=Organize Manifests
OrganizeManifestsWizardPage_remove=&removing them
OrganizeManifestsOperation_export=organizing export packages... {0}
OrganizeManifestsOperation_unusedDeps=removing unused dependencies... {0}
OrganizeManifestsOperation_lazyStart=checking for unnecessary lazy activation header... {0}
OrganizeManifestsOperation_uselessPluginFile=deleting unnecessary manifest files... {0}
OrganizeManifestsWizardPage_errorMsg=This function works only on plug-ins containing a MANIFEST.MF
OrganizeManifestsWizardPage_prefixNL=&Prefix icon paths in plug-in extensions with an $nl$ segment
OrganizeManifestsOperation_nlIconPath=checking icon paths for missing $nl$ segments... {0}
OrganizeManifestsOperation_unusedKeys=checking for unused keys... {0}
OrganizeManifestsWizardPage_addMissing=&Ensure that all packages appear in the MANIFEST.MF
OrganizeManifestsProcessor_rootMessage=Organize Manifest for {0}
OrganizeManifestsWizardPage_lazyStart=Remove unnecessary lazy activation headers
OrganizeManifestsWizardPage_uselessPluginFile=Delete unnecessary plugin manifest files
OrganizeRequireBundleResolution_Description=Organize Require Bundle Header
OrganizeImportPackageResolution_Description=Organize Import Package Header
OrganizeExportPackageResolution_Description=Organize Export Package Header
OrganizeManifestsOperation_filterInternal=marking export packages matching filter as internal... {0}
OrganizeManifestsWizardPage_description=Organize and clean up plug-in projects.
OrganizeManifestsProcessor_invalidParam=Invalid parameter passed to organize manifests processor
OrganizeManifestsWizardPage_exportedGroup=Exported Packages
OrganizeManifestsWizardPage_markInternal=Mark as &internal all packages that match the following filter:
OrganizeManifestsWizardPage_packageFilter=Package fil&ter:
OrganizeManifestsWizardPage_calculateUses=Calculate 'uses' directive for public packages (this may be a long-running operation)
OrganizeManifestsWizardPage_markOptional=&marking them as optional
OrganizeManifestsWizardPage_removeUnused=Remo&ve unused dependencies (this may be a long-running operation)
OrganizeManifestsWizardPage_generalGroup=General Manifest Cleanup
OrganizeManifestsOperation_removeUnresolved=removing unresolved import-packages and require-bundles... {0}
OrganizeManifestsWizardPage_removeUnresolved=Remove &unresolved packages
OrganizeManifestsWizardPage_dependenciesGroup=Dependencies
OrganizeManifestsWizardPage_removeUnusedKeys=Remove unused &keys from the plug-in's properties file
OrganizeManifestsOperation_markOptionalUnresolved=marking unresolved import-packages and require-bundles as optional... {0}
OrganizeManifestsWizardPage_unresolvedDependencies=Handle unresolved &dependencies by:
OrganizeManifestsWizardPage_internationalizationGroup=Internationalization
OrganizeRequireBundleResolution_Label=Organize required bundles
OrganizeImportPackageResolution_Label=Organize imported packages
OrganizeExportPackageResolution_Label=Organize exported packages
NoLineTerminationResolutionCreate_description=Adds a line break at the end of the manifest header
NoLineTerminationResolutionCreate_label=Add a line break after the header
NoLineTerminationResolutionRemove_description=Removes all whitespace characters from the last line of the manifest
NoLineTerminationResolutionRemove_label=Remove excess whitespace from the end of the manifest
OpenManifestsAction_title=Open Manifest
OpenManifestsAction_cannotFind=Cannot find manifest for {0}.
OpenManifestsAction_cannotOpen=Cannot open manifest for {0}.
OpenManifestAction_noManifest=Cannot find manifest for the current selection.
SyntaxColorTab_elements=Elements:
SyntaxColorTab_color=&Color:
SyntaxColorTab_bold=&Bold
SyntaxColorTab_italic=&Italic
SyntaxColorTab_preview=Preview:
DocSection_text=Documentation
SecondaryBundlesSection_resolve=<form><p>Analyze code and <a href="analyze">add dependencies</a> to the MANIFEST.MF via:</p></form>
JavaArgumentsTab_progamArgsGroup=P&rogram arguments
JavaArgumentsTab_programVariables=Var&iables...
JavaArgumentsTab_addVMArgs=&Import...
JavaSearchActionGroup_RemoveJavaSearchMessage=Java search is currently set to include all plug-ins from the target platform.  To remove plug-ins from the java search scope, this preference setting must be turned off.  Would you like to continue?
JavaSearchActionGroup_RemoveJavaSearchTitle=Java Search Using Target Plug-ins
JRESection_description=Specify the JRE or execution environment for this target. Selecting a named JRE will change the workspace default JRE setting.
JRESection_defaultJRE=&Default JRE
JRESection_JREName=&JRE name:
JRESection_ExecutionEnv=E&xecution Environment:
JRESection_jrePreference=Installed JREs...
JRESection_eeBoundJRE={0} ({1})
JRESection_eePreference=Environments...
JRESection_eeUnboundJRE={0} (unbound)
ExecutionEnvironmentSection_updateClasspath=Update the classpath settings
OpenSchemaAction_errorMsgSchemaNotFound=Extension point schema for extension point "{0}" cannot be found.
LocationSection_0=&Locations
AppendSeperatorBuildEntryResolution_label=Append a trailing separator to {0}.
AddExportPackageResolution_Label=Add missing packages

DependencyManagementSection_jobName=Analyzing Code
DescriptionSection_nameLabel=Name:
DuplicatePluginResolutionDialog_deselectAll=&Deselect All
DuplicatePluginResolutionDialog_messageSingular=A plug-in you are importing already exists as a project in the workspace. The project selected below will be deleted during the import.
DuplicatePluginResolutionDialog_message=Some of the plug-ins you are importing already exist as projects in the workspace. The projects selected below will be deleted during the import.
DuplicatePluginResolutionDialog_selectAll=Select &All
OrganizeManifestsOperation_additionalDeps=adding required dependencies...{0}
OrganizeManifestsWizardPage_addDependencies=&Add required dependencies (this may be a long-running operation)
OrganizeManifestsWizardPage_ProjectsUsingCustomBuildWarning=Projects using a custom build may be missing build.properties entries that are necessary to organize the manifest. Please review any changes closely. The following project has a custom build setup: {0}
OrganizeManifestsWizardPage_ProjectsUsingCustomBuildWarningPlural=Projects using a custom build may be missing build.properties entries that are necessary to organize the manifest. Please review any changes closely. The following projects have a custom build setup: {0}
SecondaryBundlesSection_desc=Augment the plug-in development classpath with the following dependencies without adding them to the MANIFEST.MF file.
AddNewDependenciesAction_title=Additional Dependencies
AddNewDependenciesAction_notFound=No additional dependencies were found.
AddNewDependenciesOperation_mainTask=finding additional dependencies
AddNewDependenciesOperation_searchProject=Searching project for dependency references
AddNewDependenciesOperation_searchForDependency=Searching for dependencies from {0}
ChooseClassXMLResolution_label=Browse for a different type ...
ChooseManifestClassResolution_label=Select a new class for the {0} header...
RevertUnsupportSingletonResolution_desc=Switch the directive to an attribute
RenameProjectChange_projectDoesNotExist=''{0}'' does not exist
RenameProjectChange_destinationExists=Project ''{0}'' already exists
RenamePluginWizardPage_renameProject=&Rename project to match the plug-in ID
RenamePluginProcessor_noManifestError=Cannot refactor plug-ins without a MANIFEST.MF
RenamePluginProcessor_processorName=Rename Plug-in
RenamePluginWizardPage_updateReferences=&Update references in dependent plug-ins
RenamePluginProcessor_externalBundleError=Cannot refactor non-workspace plug-ins
RenamePluginProcessor_renameProjectDesc=Rename project ''{0}'' to ''{1}''
RemoveInternalDirective_label=Remove redundant x-internal header
RemoveInternalDirective_desc=The x-friends directive implies x-internal, so the latter is redundant
MultiFixResolution_JavaFixAll=Add all missing java compiler build entries
MultiFixResolution_FixAll=Fix all similar entries
ImportPackageSection_dialogButtonLabel=&Show non-exported packages
ExportPackageSection_dialogButtonLabel=&Show non-Java packages
MissingResourcePage_missingResource=Missing Resource
MissingResourcePage_unableToOpenFull={0}: ''{1}'' of project ''{2}'' is not available.
EditorPreferencePage_folding = &Enable folding when opening a new editor
FormatManifestOperation_task=Formatting file(s)...
FormatManifestOperation_subtask=Formatting {0}...
FormatManifestAction_actionText=&Format

# HyperlinkAction.java
HyperlinkActionOpenType=&Open Type
HyperlinkActionOpenDescription=&Show Description
HyperlinkActionOpenBundle=&Open Bundle
HyperlinkActionOpenPackage=&Open Package
HyperlinkActionOpenResource=&Open Resource
HyperlinkActionOpenSchema=&Open Schema
HyperlinkActionOpenTranslation=&Open Translated Value
HyperlinkActionNoLinksAvailable=N&o links available

#XML Content Assist
XMLCompletionProposal_InfoElement={0} body text
XMLContentAssistProcessor_extName=The name of this extension
XMLContentAssistProcessor_extPoint=The ID of the extension point this extension will contribute to
XMLContentAssistProcessor_extPointId=The ID of this extension point
XMLCompletionProposal_ErrorCycle=ERROR:  Self-referrant element cycle detected:  Extension point schema is invalid
XMLContentAssistProcessor_extensions=Extensions are the central mechanism for contributing behavior to the platform
XMLContentAssistProcessor_extensionPoints=Extension points define new function points for the platform that other plug-ins can plug into
XMLContentAssistProcessor_extId=The ID of this extension
XMLContentAssistProcessor_extPointName=The name of this extension point
XMLSyntaxColorTab_externalizedStrings=Externalized strings
XMLContentAssistProcessor_schemaLocation=The location of this extension point schema file
InformationSection_0=Target Name
InformationSection_1=Enter a name for this target.

PDEWizardNewFileCreationPage_errorMsgStartsWithDot=The file name must not begin with a '.'
PDESourcePage_actionTextQuickOutline=Quick Outline

EditorSourcePage_name=Source
EditTargetNode_0=New Target Definition
OSGiBundlesTab_frameworkLabel=&Framework:
OSGiFrameworkBlock_selectedBundles=bundles selected below
OSGiFrameworkPreferencePage_default=(default)
OSGiFrameworkPreferencePage_installed=Installed <a>OSGi frameworks</a>:
OSGiFrameworkPreferencePage_installed_nolink=Installed OSGi frameworks:

RemoveImportExportServices_label=Remove ''{0}'' from the manifest
RemoveImportExportServices_description=Remove ''{0}'' from the manifest
FileRenameParticipant_renameFiles=Rename files referenced in plug-in manifest and build files
PDEFormEditor_errorTitleProblemSaveAs=Problem encountered during Save As...
PDEFormEditor_errorMessageSaveNotCompleted=Save could not be completed.
InputContextManager_errorMessageInputContextNotFound=Input context not found
InputContext_errorMessageFileDoesNotExist=Underlying file does not exist: {0}
InputContext_errorMessageLocationNotSet=New location not set
OpenSchemaAction_titleExtensionPointSchema=Extension Point Schema

PDEJavaHelper_msgContentAssistAvailable=Content Assist Available
PDEJavaHelper_msgContentAssistAvailableWithKeyBinding=Content Assist Available ({0})
QuickOutlinePopupDialog_infoTextPressEscToExit=Press 'Esc' to exit the dialog.

CalculateUsesOperation_calculatingDirective=Calculating uses directive for package: {0}
ControlValidationUtility_errorMsgValueMustBeSpecified=A value must be specified
ControlValidationUtility_errorMsgValueNotExternalized=The specified value is not externalized
ControlValidationUtility_errorMsgKeyNotFound=The specified key is not present in the plug-in's properties file
ControlValidationUtility_errorMsgFilterInvalidSyntax=The specified platform filter contains invalid syntax
PackageFinder_taskName=Searching class files for package references

UpdateSplashHandlerInModelAction_nameEmbedded=Embedded
UpdateSplashHandlerInModelAction_nameRCP=RCP
UpdateSplashHandlerInModelAction_templateTypeBrowser=Browser - An embedded HTML browser
UpdateSplashHandlerInModelAction_msgAddingExtension=Adding extension ''{0}'' ...
UpdateSplashHandlerInModelAction_nameEnterprise=Enterprise
UpdateSplashProgressAction_msgErrorTextFileBuffer=Text file buffer is NULL
UpdateSplashHandlerInModelAction_nameLanguages=Languages
SplashProgressSection_progressName=Customization
SplashProgressSection_progressSectionDesc=Create a custom splash screen using one of the provided templates or by adding a progress bar and message.
UpdateSplashHandlerInModelAction_templateTypeInteractive=Interactive - A simulated log-in session
UpdateSplashHandlerInModelAction_templateTypeExtensible=Extensible - A dynamic set of image contributions
UpdateSplashProgressAction_msgProgressCustomizingSplash=Customizing splash progress bar and message ...
UpdateSplashProgressAction_msgErrorCustomFileSaveFailed=Failed to save plug-in customization file
UpdateSplashHandlerInModelAction_msgAddingExtensionPoint=Adding extension point ''{0}'' ...
UpdateSplashProgressAction_msgErrorTextFileBufferManager=Text file buffer manager is NULL
UpdateSplashHandlerInModelAction_splashExtensionPointName=Splash Extensions
UpdateSplashHandlerInModelAction_msgModifyingExtension=Modifying extension ''{0}'' ...
UpdateSplashHandlerInModelAction_nameApplicationFramework=Application Framework
SplashConfigurationSection_none=<none>
SplashConfigurationSection_sectionDescCustomization=Specify the geometry and color of the progress bar and message.
SplashConfigurationSection_msgTooltipOffsetRelative=Offset is relative to the top left corner of the splash screen
SplashConfigurationSection_msgDecorationTemplateSupport=This template will only work with products built on Eclipse 3.3 and higher
RemoveSplashHandlerBindingAction_msgProgressRemoveProductBindings=Removing product bindings from extension ''{0}'' ...
StateViewPage_requiredBundles=Required Plug-ins
StateViewPage_importedPackages=Imported Packages
StateViewPage_suppliedBy=\ - supplied by:
StateViewPage_suppliedByJRE=\ - supplied by the JRE
StateViewPage_showLeaves=Show leaf plug-ins
StateViewPage_openItem=Open
StateViewPage_showOnlyUnresolved_label=Show only unresolved plug-ins
SchemaPreviewLauncher_msgEditorHasUnsavedChanges=Open schema editor has unsaved changes
AddBundleClassPathResolution_add=Add ''{0}'' to the bundle classpath
AddToJavaSearchJob_0=Updating Java search scope
AntGeneratingExportWizard_0=File overwrite
# {0} will be a list of projects, separated by newlines, may be followed by an ellipsis
AntGeneratingExportWizard_1=The following projects contain build.xml files that will be overwritten by the export operation.  If you have a custom build.xml file, you must set the custom property to true in the build.properties file.  OK to overwrite? \n\n{0}
AntGeneratingExportWizard_2=Always overwrite existing build.xml files
PluginVersionPart_groupTitle=Available versions to match
PluginVersionPart_buttonTitle=Match
FilteredPluginArtifactsSelectionDialog_title=Open Plug-in Artifact
FilteredPluginArtifactsSelectionDialog_message=&Select an artifact to open (? = any character, * = any string):
FilteredPluginArtifactsSelectionDialog_searching=Searching...
FilteredPluginArtifactsSelectionDialog_showExtensions=Show Extensions
FilteredPluginArtifactsSelectionDialog_showExtensionPoints=Show Extension Points
FilteredPluginArtifactsSelectionDialog_showExportedPackages=Show Exported Packages
FilteredPluginArtifactsSelectionDialog_showFeatures=Show Features
SchemaStringAttributeDetails_reference=References:
IdAttributeRow_title=Select Identifier
IdAttributeRow_message=Select an identifier:
IdAttributeRow_emptyMessage=No identifiers found
FilteredSchemaAttributeSelectionDialog_title=Select Attribute
FilteredSchemaAttributeSelectionDialog_message=&Select an attribute (? = any character, * = any string):
FilteredSchemaAttributeSelectionDialog_searching=Searching...
FilteredSchemaAttributeSelectionDialog_showOptionalAttributes=Show &Optional Attributes

FilteredIUSelectionDialog_title=Add Artifact to Target Platform
FilteredIUSelectionDialog_message=&Select an artifact to add to your target platform (? = any character, * = any string):
FilteredIUSelectionDialog_showLatestVersionOnly=Show latest version only
FilterRelatedExtensionsAction_tooltip=Show only the extensions that use the same attributes as the current selection

ProjectSelectionDialog_title=Project Specific Configuration
ProjectSelectionDialog_message=&Select the project to configure:
ProjectSelectionDialog_settingsTitle=Show only &projects with project specific settings

PDECompilersConfigurationBlock_error = Error
PDECompilersConfigurationBlock_warning = Warning
PDECompilersConfigurationBlock_ignore = Ignore

LicensingPage_title=Licensing
LicenseSection_title=License
LicenseSection_description=Specify the license text and URL for the product.
LicenseSection_url=URL:
LicenseSection_text=Text:

VersionDialog_text=Specify a version:
VersionDialog_title=Specify Version

Product_FeatureSection_properties=Properties...
ProfileBlock_0=Software Installation
ProfileBlock_1=Support software installation in the launched application
PropertiesSection_Add=Add...
PropertiesSection_Edit=Edit...
PropertiesSection_ErrorPropertyExists=The property {0} already exists
PropertiesSection_ErrorPropertyNoName=A property needs a name
PropertiesSection_Name=Name:
PropertiesSection_NameColumn=Name
PropertiesSection_PropertiesSectionDescription=Specify configuration properties that will be added to generated config.ini files
PropertiesSection_PropertiesSectionTitle=Properties
PropertiesSection_PropertyDialogTitle=Property
PropertiesSection_Remove=Remove
PropertiesSection_Value=Value:
PropertiesSection_ValueColumn=Value

PDEJUnitLaunchConfigurationTab_Run_Tests_In_UI_Thread=Run in &UI thread

SearchRepositoriesForIUProposal_message=Search repositories for ''{0}''
SearchRepositoriesForIUProposal_description=Opens the artifact search dialog to search for ''{0}'' to add to your target

OSGiConsole_name=Host OSGi Console [{0}]
OSGiConsoleFactory_title=WARNING: This console is connected to the current running instance of Eclipse!

Back to the top