Skip to main content
aboutsummaryrefslogtreecommitdiffstats
blob: 4ae434d9e97c2efc3bd2bd58583ce595628b09ec (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
###############################################################################
# Copyright (c) 2005, 2016, 2017 Shawn Pearce 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:
#    Shawn Pearce - initial implementation
#    Daniel Megert <daniel_megert@ch.ibm.com> - Escaped single quotes where needed
#                                             - Removed unused entry
#                                             - Added context menu to the Commit Editor's header text
#    Markus Keller <markus_keller@ch.ibm.com> - Show the repository name in the title of the Pull Result dialog
#    Daniel Megert <daniel_megert@ch.ibm.com> - Use correct syntax when a single ref was updated
#    Gunnar Wagenknecht <gunnar@wagenknecht.org>
#    Marc Khouzam <marc.khouzam@ericsson.com> - Added CompareTreeView Compare Mode tooltip
#    Marc Khouzam <marc.khouzam@ericsson.com> - Add option not to check out new branch from Gerrit
#    Mickael Istria (Red Hat Inc.)            - 463339 Simple push wizard improvements
#    Axel Richard <axel.richard@obeo.fr>      - handle symlink decorator in staging view
#    Christian Georgi <christian.georgi@sap.com> - Check for empty second line is configurable
#    Denis Zygann <d.zygann@web.de>           - 473919 Add tooltip text for sorting files action
#    Wim Jongman <wim.jongman@remainsoftware.com - 358152
###############################################################################
AbortRebaseCommand_CancelDialogMessage=The abort operation was canceled
AbortRebaseCommand_JobName=Aborting Rebase
AbstractHistoryCommandHandler_ActionRequiresOneSelectedCommitMessage=Action requires one commit to be selected
AbstractHistoryCommanndHandler_CouldNotGetRepositoryMessage=Could not get the repository from the history view
AbstractHistoryCommanndHandler_NoInputMessage=Could not get the current input from the history view
AbstractHistoryCommitHandler_cantGetBranches=Could not obtain branches
AbstractRebaseCommand_DialogTitle=Action Canceled
AbstractRebaseCommandHandler_cleanupDialog_text=You have uncommitted changes. Either commit the changes, stash the changes, or discard the changes by resetting the current branch.
AbstractRebaseCommandHandler_cleanupDialog_title=Cannot Rebase Repository ''{0}''
AbstractReflogCommandHandler_NoInput=Could not get the current input from the Reflog View
Activator_refreshingProjects=Refreshing Git managed projects
Activator_refreshJobName=Git Repository Refresh
Activator_repoScanJobName=Git Repository Change Scanner
Activator_scanError=An error occurred while scanning for changes. Scanning aborted
Activator_scanningRepositories=Scanning Git repositories for changes
Activator_refreshFailed=Failed to refresh projects from index changes
Activator_setupFocusListener=Setting up the focus listener
AddConfigEntryDialog_AddConfigTitle=Add a configuration entry
AddConfigEntryDialog_ConfigKeyTooltip=Use "." to separate section/subsection/name, e.g. "core.bare", "remote.origin.url"
AddConfigEntryDialog_DialogMessage=Please enter a key, e.g. "user.name" and a value.
AddConfigEntryDialog_EnterValueMessage=Please enter a value.
AddConfigEntryDialog_InvalidKeyMessage=Please enter a valid key: the first and the last component may contain only the letters [A-Za-z0-9] or the dash, and the last component must start with a letter.
AddConfigEntryDialog_KeyComponentsMessage=The key must have two or more components separated by ".".
AddConfigEntryDialog_KeyLabel=&Key
AddConfigEntryDialog_MustEnterKeyMessage=Please enter a key.
AddConfigEntryDialog_ValueLabel=&Value
AddRemotePage_EnterRemoteNameMessage=Please enter a remote name
AddRemotePage_RemoteNameAlreadyExistsError=Remote already exists
AddRemotePage_RemoteNameEmptyError=Enter a name for the remote
AddRemotePage_RemoteNameInvalidError=Remote name is not valid
AddRemotePage_RemoteNameLabel=&Remote name:
AddRemoteWizard_Title=Add Remote
AddSubmoduleWizard_WindowTitle=Add Submodule
AddToIndexAction_addingFiles=Adding Files to Index
AddToIndexCommand_addingFilesFailed=Adding files failed
RemoveFromIndexAction_removingFiles=Removing file from Index
BlameInformationControl_Author=Author: {0} <{1}> {2}
BlameInformationControl_Commit=Commit {0}
BlameInformationControl_Committer=Committer: {0} <{1}> {2}
BlameInformationControl_DiffHeaderLabel=Diff to {0} {1}
BlameInformationControl_OpenCommitLink=(<a>open commit</a>)
BlameInformationControl_ShowAnnotationsLink=(<a>show revision information</a>)
BlameInformationControl_ShowInHistoryLink=(<a>show in history</a>)
AssumeUnchanged_assumeUnchanged=Assume Unchanged
WizardProjectsImportPage_ImportProjectsTitle=Import Projects
WizardProjectsImportPage_ImportProjectsDescription=Import projects from a Git repository
WizardProjectsImportPage_ProjectsListTitle=&Projects:
WizardProjectsImportPage_selectAll = &Select All
WizardProjectsImportPage_deselectAll = &Deselect All
WizardProjectsImportPage_SearchingMessage = Searching for projects
WizardProjectsImportPage_ProcessingMessage = Processing results
WizardProjectsImportPage_projectsInWorkspace = Some or all projects cannot be imported because they already exist in the workspace
WizardProjectsImportPage_CreateProjectsTask = Creating Projects
WizardProjectsImportPage_filterText = type filter text to filter unselected projects

SecureStoreUtils_errorClearingCredentials=Failed to clear credentials for ''{0}'' from secure store
SecureStoreUtils_errorReadingCredentials=Failed to read credentials for ''{0}'' from secure store
SecureStoreUtils_writingCredentialsFailed=Failed to write credentials for ''{0}'' to secure store
SelectResetTypePage_labelCurrentHead=Current HEAD:
SelectResetTypePage_labelResettingTo=Resetting to:
SelectResetTypePage_PageMessage=Select the type of reset to perform
SelectResetTypePage_PageTitle=Reset {0}
SelectResetTypePage_tooltipCurrentHead=The current HEAD ref
SelectResetTypePage_tooltipResettingTo=The ref being reset to
SharingWizard_windowTitle=Configure Git Repository
SharingWizard_failed=Failed to initialize Git team provider.
SharingWizard_MoveProjectActionLabel=Move Project
ShowBlameHandler_errorMessage=Showing revision information failed
ShowBlameHandler_JobName=Computing Revision Information

GenerateHistoryJob_errorComputingHistory=Cannot compute Git history.
GenerateHistoryJob_taskFoundMultipleCommits=Found {0} commits
GenerateHistoryJob_taskFoundSingleCommit=Found 1 commit
GerritConfigurationPage_BranchTooltipHover=Press {0} or start typing to see a filtered list of branch names
GerritConfigurationPage_BranchTooltipStartTyping=Start typing to see a filtered list of branch names
GerritConfigurationPage_ConfigureFetchReviewNotes=Fetch will be auto-configured to fetch review notes from Gerrit.
GerritConfigurationPage_errorBranchName=Branch name is required
GerritConfigurationPage_groupFetch=Fetch configuration
GerritConfigurationPage_groupPush=Push configuration
GerritConfigurationPage_labelDestinationBranch=&Destination branch:
GerritConfigurationPage_PageDescription=Configure Gerrit Code Review properties for remote ''{0}'' of repository ''{1}''
GerritConfigurationPage_pushUri=&Push URI
GerritConfigurationPage_title=Gerrit Configuration
GerritConfigurationPage_UserLabel=&User:

EGitCredentialsProvider_question=Question
EGitCredentialsProvider_information=Information
CustomPromptDialog_provide_information_for=Provide information for {0}
CustomPromptDialog_information_about=Information about {0}
EgitUiUtils_CouldNotOpenEditorMessage=Could not open editor of type {0}
ExistingOrNewPage_BrowseRepositoryButton=Br&owse...
ExistingOrNewPage_CreateButton=&Create Repository
ExistingOrNewPage_CreateRepositoryButton=Create...
ExistingOrNewPage_CreationInWorkspaceWarningTooltip=When checked, this wizard will try to find or create a repository in the parent folder hierarchy of the selected projects.\nTypically, newly created projects are located in the Eclipse workspace, thus repositories created this way\nwould also end up in the Eclipse workspace.\nThis is not recommended for several reasons explained in the EGit user guide.
ExistingOrNewPage_CurrentLocationColumnHeader=Current Location
ExistingOrNewPage_title=Configure Git Repository
ExistingOrNewPage_description=Select repository location
ExistingOrNewPage_DescriptionExternalMode=Select an existing repository or create a new one
ExistingOrNewPage_ErrorFailedToCreateRepository=Failed to create repository {0}
ExistingOrNewPage_ErrorFailedToRefreshRepository=Failed to refresh project after creating repository at {0}
ExistingOrNewPage_ExistingRepositoryLabel=&Repository:
ExistingOrNewPage_ExistingTargetErrorMessage=Target location for project {0} already exists, cannot move project
ExistingOrNewPage_FailedToDetectRepositoryMessage=Failed to detect which repository to use
ExistingOrNewPage_FolderWillBeCreatedMessage=Folder {0} does not exist in working tree, will be created
ExistingOrNewPage_HeaderLocation=Location
ExistingOrNewPage_HeaderProject=Project
ExistingOrNewPage_HeaderRepository=Repository
ExistingOrNewPage_InternalModeCheckbox=&Use or create repository in parent folder of project
ExistingOrNewPage_NestedProjectErrorMessage=Cannot move project {0} to target location {1}, as this location overlaps with location {2}, which contains a .project file
ExistingOrNewPage_NewLocationTargetHeader=Target Location
ExistingOrNewPage_NoRepositorySelectedMessage=No repository selected
ExistingOrNewPage_ProjectNameColumnHeader=Project
ExistingOrNewPage_RelativePathLabel=&Path within repository:
ExistingOrNewPage_RepoCreationInWorkspaceCreationWarning=Creation of repositories in the Eclipse workspace is not recommended
ExistingOrNewPage_SymbolicValueEmptyMapping=<empty repository mapping>
ExistingOrNewPage_WorkingDirectoryLabel=Working tree:
ExistingOrNewPage_WrongPathErrorDialogMessage=The selected path is not a child of the repository working tree
ExistingOrNewPage_WrongPathErrorDialogTitle=Wrong Path

GitCloneSourceProviderExtension_Local=Existing local repository
GitCloneWizard_abortingCloneMsg=A partial or complete clone was already made. Do you want to delete it?
GitCloneWizard_abortingCloneTitle=Aborting Clone
GitCloneWizard_title=Clone Git Repository
GitCloneWizard_jobImportProjects=Importing projects from ''{0}''
GitCloneWizard_jobName=Cloning from {0}
GitCloneWizard_failed=Git repository clone failed.
GitCloneWizard_errorCannotCreate=Cannot create directory {0}.
GitDecoratorPreferencePage_bindingRepositoryNameFlag=Name and state of the repository (the default state will not be shown)
GitDecoratorPreferencePage_iconsShowDirty=Dirty resources
GitDocument_errorLoadCommit=Could not load commit {0} for {1} corresponding to {2} in {3}
GitDocument_errorLoadTree=Could not load tree {0} for {1} corresponding to {2} in {3}
GitDocument_errorResolveQuickdiff=Could not resolve Quick Diff baseline {0} corresponding to {1} in {2}
GitDocument_ReloadJobError=Error reloading Quick Diff information
GitDocument_ReloadJobName=Reloading Quick Diff information
GitHistoryPage_AllChangesInFolderHint=All changes of this resource's parent folder and its children
GitHistoryPage_AllChangesInProjectHint=All changes of this resource's project and its children
GitHistoryPage_AllChangesInRepoHint=All changes in the repository containing this resource
GitHistoryPage_AllChangesOfResourceHint=Changes of this resource and its children only
GitHistoryPage_AllInParentMenuLabel=All Changes in Parent &Folder
GitHistoryPage_AllInParentTooltip=Show all changes in parent folder of the selected resource
GitHistoryPage_AllInProjectMenuLabel=All Changes in &Project
GitHistoryPage_AllInProjectTooltip=Show all changes in project containing the selected resource
GitHistoryPage_AllInRepoMenuLabel=All Changes in &Repository
GitHistoryPage_AllInRepoTooltip=Show all changes in repository containing the selected resource
GitHistoryPage_AllOfResourceMenuLabel=All &Changes of Resource
GitHistoryPage_AllOfResourceTooltip=Show all changes of selected resource and its children
GitHistoryPage_CheckoutMenuLabel=&Check Out
GitHistoryPage_CheckoutMenuLabel2=&Check Out...
GitHistoryPage_CompareModeMenuLabel=Compare &Mode
GitHistoryPage_ReuseCompareEditorMenuLabel=Reuse Compare &Editor
GitHistoryPage_CompareWithCurrentHeadMenu=Compare with &HEAD
GitHistoryPage_CompareWithEachOtherMenuLabel=Compare with &Each Other
GitHistoryPage_CompareWithWorkingTreeMenuMenuLabel=Compare with &Workspace
GitHistoryPage_CreateBranchMenuLabel=Create &Branch...
GitHistoryPage_CreatePatchMenuLabel=Create P&atch...
GitHistoryPage_CreateTagMenuLabel=Create &Tag...
GitHistoryPage_cherryPickMenuItem=C&herry-Pick...
GitHistoryPage_compareMode=Compare Mode
GitHistoryPage_showAllBranches=Show All Branches and Tags
GitHistoryPage_squashMenuItem=Squash
GitHistoryPage_errorLookingUpPath=IO error looking up path {0} in {1}.
GitHistoryPage_errorParsingHead=Cannot parse HEAD in: {0}
GitHistoryPage_errorReadingAdditionalRefs=Cannot read additional references for repository {0}
GitHistoryPage_errorSettingStartPoints=Cannot set start points for repository {0}
GitHistoryPage_fileNotFound=File not Found
GitHistoryPage_notContainedInCommits=File {0} is not contained in the commits: {1}
GitHistoryPage_FileNotInCommit={0} not in {1}
GitHistoryPage_FileOrFolderPartOfGitDirMessage=File or folder {0} is part of the repository''s Git directory
GitHistoryPage_FileType=File
GitHistoryPage_FindMenuLabel=Find &Toolbar
GitHistoryPage_FindShowTooltip=Show Find Toolbar ({0})
GitHistoryPage_FindHideTooltip=Hide Find Toolbar ({0})
GitHistoryPage_FolderType=Folder
GitHistoryPage_ModifyMenuLabel=Modi&fy
GitHistoryPage_MultiResourcesType={0} resources
GitHistoryPage_NoInputMessage=No input
GitHistoryPage_openFailed=Opening Editor Failed
GitHistoryPage_OpenInTextEditorLabel=Open in Te&xt Editor
GitHistoryPage_OpenMenuLabel=&Open
GitHistoryPage_PreferencesLink=<a>Preferences...</a>
GitHistoryPage_ProjectType=Project
GitHistoryPage_QuickdiffMenuLabel=&Quick Diff
GitHistoryPage_RefreshMenuLabel=&Refresh
GitHistoryPage_RepositoryNamePattern=Repository: {0}
GitHistoryPage_ResetBaselineToHeadMenuLabel=Reset Baseline to &Current Revision (HEAD)
GitHistoryPage_ResetBaselineToParentOfHeadMenuLabel=Reset Baseline to &Previous Revision (HEAD^)
GitHistoryPage_ResetHardMenuLabel=&Hard (HEAD, Index, and Working Tree)
GitHistoryPage_ResetMenuLabel=&Reset
GitHistoryPage_ResetMixedMenuLabel=&Mixed (HEAD and Index)
GitHistoryPage_ResetSoftMenuLabel=&Soft (HEAD Only)
GitHistoryPage_revertMenuItem=&Revert Commit
GitHistoryPage_mergeMenuItem=&Merge
GitHistoryPage_rebaseMenuItem=R&ebase on
GitHistoryPage_rebaseInteractiveMenuItem=Rebase &Interactive
GitHistoryPage_rewordMenuItem=&Reword
GitHistoryPage_editMenuItem=&Edit
GitHistoryPage_SetAsBaselineMenuLabel=&Set as Baseline
GitHistoryPage_ShowAdditionalRefsMenuLabel=&Additional Refs
GitHistoryPage_ShowAllBranchesMenuLabel=All &Branches and Tags
GitHistoryPage_FollowRenames=&Follow Renames
GitHistoryPage_FormatDiffJobName=Updating Diff
GitHistoryPage_FilterSubMenuLabel=&Filter
GitHistoryPage_IncompleteListTooltip=Not all commits are shown, the limit may be exceeded or the job building the list may have been aborted
GitHistoryPage_InRevisionCommentSubMenuLabel=&In Revision Comment
GitHistoryPage_ListIncompleteWarningMessage=The list is incomplete
GitHistoryPage_pushCommit=&Push Commit...
GitHistoryPage_ShowSubMenuLabel=&Show
GitHistoryPage_toggleEmailAddresses=&E-mail Addresses
GitPreferenceRoot_automaticallyEnableChangesetModel=Automatically enable commit &grouping in Git synchronizations
GitPreferenceRoot_BlameGroupHeader=Revision Information
GitPreferenceRoot_BlameIgnoreWhitespaceLabel=Ignore whitespace changes
GitPreferenceRoot_fetchBeforeSynchronization=Always launch fetch before synchronization
GitPreferenceRoot_CloningRepoGroupHeader=Cloning repositories
GitPreferenceRoot_DefaultRepoFolderLabel=Default repository &folder:
GitPreferenceRoot_DefaultRepoFolderTooltip=This folder will be suggested as parent folder when cloning a remote repository
GitPreferenceRoot_DefaultRepoFolderVariableButton=&Variable...
GitPreferenceRoot_MergeGroupHeader=Merge
GitPreferenceRoot_MergeMode_0_Label=Prompt when starting tool
GitPreferenceRoot_MergeMode_1_Label=Workspace (pre-merged by Git)
GitPreferenceRoot_MergeMode_2_Label=Last HEAD (unmerged)
GitPreferenceRoot_MergeModeLabel=&Merge tool content:
GitPreferenceRoot_MergeModeTooltip=Determines which content to be displayed on the left side of the merge tool
GitPreferenceRoot_RemoteConnectionsGroupHeader=Remote connections
GitPreferenceRoot_RepoChangeScannerGroupHeader=Automatic refresh
GitPreferenceRoot_SecureStoreGroupLabel=Secure Store
GitPreferenceRoot_SecureStoreUseByDefault=Store credentials in secure store by default
GitPreferenceRoot_useLogicalModel=Allow models (e.g., Java, EMF) to participate in synchronizations
GitPreferenceRoot_preferreMergeStrategy_label=You can select a specific merge strategy below\nto override the default JGit merge behavior for merge operations\n(merge, rebase, pull, revert, squash, stash, submodule update)
GitPreferenceRoot_preferreMergeStrategy_group=Preferred merge strategy for operations that require merges
GitPreferenceRoot_defaultMergeStrategyLabel=Default Strategy (as defined by JGit)
GitProjectPropertyPage_LabelBranch=Branch:
GitProjectPropertyPage_LabelGitDir=Git directory:
GitProjectPropertyPage_LabelId=HEAD:
GitProjectPropertyPage_LabelState=Current state:
GitProjectPropertyPage_LabelWorkdir=Working tree:
GitProjectPropertyPage_UnableToGetCommit=Unable to load commit {0}
GitProjectPropertyPage_ValueEmptyRepository=None (empty repository)
GitProjectPropertyPage_ValueUnbornBranch=None (unborn branch)
GitProjectsImportPage_NoProjectsMessage=No projects found
GitProjectsImportPage_SearchForNestedProjects=Searc&h for nested projects

CleanRepositoryPage_cleanDirs=Clean selected untracked files and directories
CleanRepositoryPage_cleanFiles=Clean selected untracked files
CleanRepositoryPage_cleaningItems=Cleaning selected items...
CleanRepositoryPage_findingItems=Finding items to clean...
CleanRepositoryPage_includeIgnored=Include ignored resources
CleanRepositoryPage_message=Select items to clean
CleanRepositoryPage_SelectFilesToClean=Select files to be deleted
CleanRepositoryPage_title=Clean Repository
CleanWizard_title=Clean ''{0}''
ClearCredentialsCommand_clearingCredentialsFailed=Clearing credentials failed.
CheckoutCommand_CheckoutLabel=&Check Out
CheckoutCommand_CheckoutLabelWithQuestion=&Check Out...
CheckoutConflictDialog_conflictMessage=The files shown below have uncommitted changes which would be lost by the selected operation.\n\nEither commit the changes to the repository or discard the changes by resetting the current branch.
CheckoutDialog_Title=Check out a ref or work with branches
CheckoutDialog_OkCheckout=&Check Out
CheckoutDialog_OkCheckoutWithQuestion=&Check Out...
CheckoutHandler_SelectBranchMessage=There is more than one branch for this commit. Please select the branch you want to check out.
CheckoutHandler_SelectBranchTitle=Select a Branch for Checkout
CherryPickHandler_JobName=Cherry-Picking {0} Commits
CherryPickHandler_ConfirmMessage=Are you sure you want to cherry-pick the following {0,choice,1#commit|1<{0} commits} onto branch ''{1}''?
CherryPickHandler_NoCherryPickPerformedMessage=The change has already been included
CherryPickHandler_NoCherryPickPerformedTitle=No cherry-pick performed
CherryPickHandler_CherryPickConflictsMessage=Cherry-pick could not be completed automatically because of conflicts. Please resolve and commit.
CherryPickHandler_CherryPickConflictsTitle=Cherry-Pick Conflicts
CherryPickHandler_CherryPickFailedMessage=Cherry-pick failed
CherryPickHandler_CouldNotDeleteFile=Could not delete file
CherryPickHandler_ErrorMsgTemplate={0} {1}
CherryPickHandler_IndexDirty=Index is dirty
CherryPickHandler_ConfirmTitle=Cherry-Pick Commit
CherryPickHandler_unknown=unknown
CherryPickHandler_WorktreeDirty=File is modified
CherryPickHandler_cherryPickButtonLabel=Cherry-Pick
CherryPickOperation_InternalError=An internal error occurred
CompareTargetSelectionDialog_CompareButton=&Compare
CompareTargetSelectionDialog_CompareMessage=Select a branch, tag, or reference to compare the resource with
CompareTargetSelectionDialog_CompareTitle=Compare ''{0}'' with a Branch, Tag, or Reference
CompareTargetSelectionDialog_CompareTitleEmptyPath=Compare with a Branch, Tag, or Reference
CompareTargetSelectionDialog_WindowTitle=Compare
CompareTreeView_AnalyzingRepositoryTaskText=Analyzing repository
CompareTreeView_ExpandAllTooltip=Expand all
CompareTreeView_CollapseAllTooltip=Collapse all
CompareTreeView_ComparingTwoVersionDescription={0}: Comparing {1} with {2}
CompareTreeView_ComparingWorkspaceVersionDescription={0}: Comparing workspace version with {1}
CompareTreeView_EqualFilesTooltip=Show files with equal content
CompareTreeView_IndexVersionText=Index
CompareTreeView_ItemNotFoundInVersionMessage={0} not found in {1}
CompareTreeView_MultipleResourcesHeaderText=Multiple resources
CompareTreeView_NoDifferencesFoundMessage=No differences found for the current selection and settings
CompareTreeView_NoInputText=No input
CompareTreeView_RepositoryRootName=Repository root
CompareTreeView_WorkspaceVersionText=Workspace
CompareTreeView_CompareModeTooltip=Compare mode
CompareUtils_jobName=Git Compare...
CompareUtils_errorGettingEncoding=Getting encoding failed
CompareUtils_errorGettingHeadCommit=Getting HEAD commit failed
CompareUtils_wrongResourceArgument=Given argument is neither a file nor a link: {1}

RebaseCurrentRefCommand_RebaseCanceledMessage=The rebase operation was canceled
RebaseCurrentRefCommand_RebasingCurrentJobName=Rebasing Branch {0} on {1}
RebaseCurrentRefCommand_ErrorGettingCurrentBranchMessage=Error getting the branch to rebase
RebaseInteractiveHandler_EditMessageDialogText=Edit the commit message. Lines starting with a \# are comments and will be ignored.
RebaseInteractiveHandler_EditMessageDialogTitle=Edit Commit Message
RebaseInteractiveStepActionToolBarProvider_SkipText=Skip
RebaseInteractiveStepActionToolBarProvider_SkipDesc=Remove the commit from the history
RebaseInteractiveStepActionToolBarProvider_EditText=Edit
RebaseInteractiveStepActionToolBarProvider_EditDesc=Pause before applying the commit, so\nthat new changes can be added
RebaseInteractiveStepActionToolBarProvider_FixupText=Fixup
RebaseInteractiveStepActionToolBarProvider_FixupDesc=Combine the commit with the previous commit,\nusing the previous commit's message
RebaseInteractiveStepActionToolBarProvider_MoveDownText=Down
RebaseInteractiveStepActionToolBarProvider_MoveDownDesc=Move the commit down in the order of steps
RebaseInteractiveStepActionToolBarProvider_MoveUpText=Up
RebaseInteractiveStepActionToolBarProvider_MoveUpDesc=Move the commit up in the order of steps
RebaseInteractiveStepActionToolBarProvider_PickText=Pick
RebaseInteractiveStepActionToolBarProvider_PickDesc=Apply the commit normally
RebaseInteractiveStepActionToolBarProvider_RewordText=Reword
RebaseInteractiveStepActionToolBarProvider_RewordDesc=Pause before applying the commit, so\nthat the commit message can be changed
RebaseInteractiveStepActionToolBarProvider_SquashText=Squash
RebaseInteractiveStepActionToolBarProvider_SquashDesc=Combine the commit with the previous commit\nand allow the commit message to be edited
RebaseInteractiveView_HeadingStep=Step
RebaseInteractiveView_HeadingAction=Action
RebaseInteractiveView_HeadingCommitId=Commit Id
RebaseInteractiveView_HeadingMessage=Message
RebaseInteractiveView_HeadingStatus=Status
RebaseInteractiveView_HeadingAuthor=Author
RebaseInteractiveView_HeadingAuthorDate=Authored Date
RebaseInteractiveView_HeadingCommitter=Committer
RebaseInteractiveView_HeadingCommitDate=Committed Date
RebaseInteractiveView_NoSelection=No Repository Selected
RebaseInteractiveView_StatusCurrent=current
RebaseInteractiveView_StatusDone=done
RebaseInteractiveView_StatusTodo=todo
RebaseResultDialog_Aborted=Rebase was aborted
RebaseResultDialog_AbortRebaseRadioText=&Abort rebase
RebaseResultDialog_ActionGroupTitle=Action to perform
RebaseResultDialog_CommitIdLabel=&Id:
RebaseResultDialog_CommitMessageLabel=&Message:
RebaseResultDialog_Conflicting=Rebase was stopped due to {0} conflicting files
RebaseResultDialog_ConflictListFailureMessage=Error getting the list of conflicts
RebaseResultDialog_DetailsGroup=Applying commit:
RebaseResultDialog_DialogTitle=Rebase Result
RebaseResultDialog_DiffDetailsLabel=&Files with rebase conflicts:
RebaseResultDialog_DoNothingRadioText=Do nothing (return to the &workbench)
RebaseResultDialog_Edit=Edit Commit: You can edit the files and/or the commit message, amend the commit, and continue rebasing
RebaseResultDialog_FastForward=Rebase advanced HEAD fast-forward
RebaseResultDialog_Failed=Rebase failed
RebaseResultDialog_InteractivePrepared=The rebase has successfully been initialized in interactive mode. You can now plan your rebase before starting processing your plan
RebaseResultDialog_UncommittedChanges=Rebase canceled because there are uncommitted changes
RebaseResultDialog_NextSteps=Next steps
RebaseResultDialog_NextStepsAfterResolveConflicts=When you have resolved the conflicts run:\n- "Rebase > Continue"\n- or "Rebase > Abort"
RebaseResultDialog_NextStepsDoNothing=- resolve the conflicts\n- then run "Rebase > Continue"\n- or "Rebase > Abort"
RebaseResultDialog_NothingToCommit=No changes detected.\n\nIf there is nothing left to stage, chances are that something else\nalready introduced the same changes; you might want to skip this patch using "Rebase > Skip commit and continue".
RebaseResultDialog_notInWorkspace=<not in workspace>
RebaseResultDialog_notInWorkspaceMessage=Some conflicting files are not part of the workspace. Open Staging View and launch a text editor to edit each conflicting file.
RebaseResultDialog_notShared=<not shared>
RebaseResultDialog_notSharedMessage=Some conflicting files reside in projects not shared with Git. Please share the related projects with Git.
RebaseResultDialog_SkipCommitButton=&Skip this commit and continue rebasing the next commits
RebaseResultDialog_StartMergeRadioText=Start Merge &Tool to resolve conflicts
RebaseResultDialog_stashApplyConflicts=Applying autostash resulted in conflicts.\nYour changes are safe in the stash.\nYou can apply the stash at any time.
RebaseResultDialog_StatusAborted=Aborted
RebaseResultDialog_StatusConflicts=Checkout conflict
RebaseResultDialog_StatusFailed=Failed
RebaseResultDialog_StatusFastForward=Fast-forward
RebaseResultDialog_StatusNothingToCommit=Nothing to commit
RebaseResultDialog_StatusInteractivePrepared=Interactive rebase has been prepared
RebaseResultDialog_StatusOK=OK
RebaseResultDialog_StatusStopped=Stopped
RebaseResultDialog_StatusEdit=Stopped for editing
RebaseResultDialog_StatusUpToDate=Up-to-date
RebaseResultDialog_Stopped=Rebase stopped with conflicts
RebaseResultDialog_SuccessfullyFinished=Rebase finished successfully
RebaseResultDialog_ToggleShowButton=Don't show this confirmation dialog again
RebaseResultDialog_UpToDate=Rebase did nothing, HEAD was already up-to-date
RebaseTargetSelectionDialog_DialogMessage=Select a branch other than the currently checked out branch
RebaseTargetSelectionDialog_DialogMessageWithBranch=Select a branch other than the ''{0}'' branch
RebaseTargetSelectionDialog_DialogTitle=Rebase the currently checked out branch onto another branch
RebaseTargetSelectionDialog_DialogTitleWithBranch=Rebase the ''{0}'' branch onto another branch
RebaseTargetSelectionDialog_RebaseButton=&Rebase
RebaseTargetSelectionDialog_RebaseTitle=Rebase ''{0}''
RebaseTargetSelectionDialog_RebaseTitleWithBranch=Rebase ''{0}''
RebaseTargetSelectionDialog_InteractiveButton=Rebase interactively
RebaseTargetSelectionDialog_PreserveMergesButton=Preserve merges during rebase
ReplaceTargetSelectionDialog_ReplaceButton=&Replace
ReplaceTargetSelectionDialog_ReplaceMessage=Select a branch, tag, or reference to replace the resource with
ReplaceTargetSelectionDialog_ReplaceTitle=Replace ''{0}'' with a Branch, Tag, or Reference
ReplaceTargetSelectionDialog_ReplaceTitleEmptyPath=Replace with a Branch, Tag, or Reference
ReplaceTargetSelectionDialog_ReplaceWindowTitle=Replace
ReplaceWithOursTheirsMenu_CalculatingOursTheirsCommitsError=Error calculating ours/theirs commit messages
ReplaceWithOursTheirsMenu_OursWithCommitLabel=&Ours: {0} {1}
ReplaceWithOursTheirsMenu_OursWithoutCommitLabel=&Ours
ReplaceWithOursTheirsMenu_TheirsWithCommitLabel=&Theirs: {0} {1}
ReplaceWithOursTheirsMenu_TheirsWithoutCommitLabel=&Theirs
ReplaceWithPreviousActionHandler_NoParentCommitDialogMessage=No previous revision of {0} could be found in the repository.
ReplaceWithPreviousActionHandler_NoParentCommitDialogTitle=Previous revision not found
RepositoryAction_errorFindingRepo=Could not find a repository associated with this project
RepositoryAction_errorFindingRepoTitle=Cannot Find Repository
RepositoryAction_multiRepoSelection=Cannot perform action on multiple repositories simultaneously.\n\nPlease select items from only one repository.
RepositoryAction_multiRepoSelectionTitle=Multiple Repositories Selection
RepositoryCommit_AuthorDate=\ ({0} on {1})
RepositoryCommit_AuthorDateCommitter=\ ({0} on {1}, committed by {2})
RepositoryLocationPage_info=Select a location of Git Repositories
RepositoryLocationPage_title=Select Repository Source
RepositoryLocationContentProvider_errorProvidingRepoServer=Error on providing repository server infos

RepositoryPropertySource_EditConfigurationTitle=Git Configuration Editor
RepositoryPropertySource_EffectiveConfigurationAction=Effective Configuration
RepositoryPropertySource_EffectiveConfigurationCategory=Effective configuration
RepositoryPropertySource_ErrorHeader=Error
RepositoryPropertySource_GlobalConfigurationCategory=Global configuration {0}
RepositoryPropertySource_GlobalConfigurationMenu=Global Configuration
RepositoryPropertySource_EditConfigButton=Edit...
RepositoryPropertySource_EditorMessage=Edit the Git Configuration
RepositoryPropertySource_RepositoryConfigurationButton=Repository Configuration
RepositoryPropertySource_RepositoryConfigurationCategory=Repository configuration {0}
RepositoryPropertySource_SelectModeTooltip=Select a configuration to display
RepositoryPropertySource_SingleValueButton=Single Value
RepositoryPropertySource_SuppressMultipleValueTooltip=Suppress display of multiple values
RepositoryPropertySource_SystemConfigurationMenu=System Configuration

RepositoryRemotePropertySource_ErrorHeader=Error
RepositoryRemotePropertySource_FetchLabel=Remote Fetch Specification
RepositoryRemotePropertySource_PushLabel=Remote Push Specification
RepositoryRemotePropertySource_RemoteFetchURL_label=Remote Fetch URL
RepositoryRemotePropertySource_RemotePushUrl_label=Remote Push URL

RepositorySearchDialog_AddGitRepositories=Add Git Repositories
RepositorySearchDialog_DeepSearch_button=&Look for nested repositories
RepositorySearchDialog_RepositoriesFound_message={0,choice,0#No repository|1#One repository|1<{0} repositories} found{0,choice,0# yet|0<}...\t{1}
RepositorySearchDialog_ScanningForRepositories_message=Searching
RepositorySearchDialog_Search=&Search
RepositorySearchDialog_SearchCriteriaGroup=Search criteria
RepositorySearchDialog_SearchRecursiveToolTip=If this is checked, subdirectories of already found repositories will be searched recursively
RepositorySearchDialog_SearchResult=Found {0,choice,0#no repository|1#one repository|1<{0} repositories} scanning {1,choice,1#one folder|1<{1} folders} in {2}
RepositorySearchDialog_SearchResultGroup=Search results
RepositorySearchDialog_SearchTitle=Search and select Git repositories on your local file system
RepositorySearchDialog_SearchTooltip=Performs a search with the current search criteria and updates the search result
RepositorySearchDialog_SkipHidden=Skip &hidden directories
RepositorySearchDialog_SkipHiddenTooltip=If this is checked hidden directories will be skipped
RepositorySearchDialog_SomeDirectoriesHiddenMessage={0,choice,1#One repository is|1<{0} repositories are} not shown as {0,choice,1#it has|1<they have} already been added
RepositorySearchDialog_DirectoryNotFoundMessage=Directory {0} does not exist
RepositorySearchDialog_browse=&Browse...
RepositorySearchDialog_CheckAllRepositories=Check All Repositories
RepositorySearchDialog_directory=&Directory:
RepositorySearchDialog_EnterDirectoryToolTip=Enter a local file system directory from which to start the search
RepositorySearchDialog_errorOccurred=Error occurred
RepositorySearchDialog_NoSearchAvailableMessage=No search results available for current search criteria, click Search button to update the list
RepositorySearchDialog_searchRepositoriesMessage=Search for local Git repositories on the file system
RepositorySearchDialog_UncheckAllRepositories=Uncheck All Repositories
RepositorySelectionPage_BrowseLocalFile=Local File...
RepositorySelectionPage_sourceSelectionTitle=Source Git Repository
RepositorySelectionPage_sourceSelectionDescription=Enter the location of the source repository.
RepositorySelectionPage_destinationSelectionTitle=Destination Git Repository
RepositorySelectionPage_destinationSelectionDescription=Enter the location of the destination repository.
RepositorySelectionPage_configuredRemoteChoice=Configured remote repository
RepositorySelectionPage_errorValidating=Error validating {0}
RepositorySelectionPage_uriChoice=Custom URI
RepositorySelectionPage_groupLocation=Location
RepositorySelectionPage_groupAuthentication=Authentication
RepositorySelectionPage_groupConnection=Connection
RepositorySelectionPage_promptURI=UR&I
RepositorySelectionPage_promptHost=&Host
RepositorySelectionPage_promptPath=&Repository path
RepositorySelectionPage_promptUser=&User
RepositorySelectionPage_promptPassword=&Password
RepositorySelectionPage_promptScheme=Protoco&l
RepositorySelectionPage_promptPort=Por&t
RepositorySelectionPage_fieldRequired={0} required for {1} protocol.
RepositorySelectionPage_fieldNotSupported={0} not supported on {1} protocol.
RepositorySelectionPage_fileNotFound={0} does not exist.
RepositorySelectionPage_internalError=Internal error; consult Eclipse error log.
RepositorySelectionPage_storeInSecureStore=&Store in Secure Store
RepositorySelectionPage_tip_file=Local repository
RepositorySelectionPage_tip_ftp=FTP
RepositorySelectionPage_tip_git=Git native transfer
RepositorySelectionPage_tip_http=HTTP (smart or dumb)
RepositorySelectionPage_tip_https=Secure HTTP (smart or dumb)
RepositorySelectionPage_tip_sftp=Secure FTP
RepositorySelectionPage_tip_ssh=Git over SSH (also known as git+ssh)
RepositorySelectionPage_UriMustNotHaveTrailingSpacesMessage=URI must not have trailing spaces
SoftResetToRevisionAction_softReset=Soft Reset
SourceBranchPage_repoEmpty=Source Git repository is empty
SourceBranchPage_title=Branch Selection
SourceBranchPage_description=Select branches to clone from remote repository. Remote tracking \
branches will be created to track updates for these branches in the remote repository.
SourceBranchPage_branchList=Branches &of {0}:
SourceBranchPage_selectAll=&Select All
SourceBranchPage_selectNone=&Deselect All
SourceBranchPage_errorBranchRequired=At least one branch must be selected.
SourceBranchPage_remoteListingCancelled=Operation canceled
SourceBranchPage_cannotCreateTemp=Couldn't create temporary repository.
SourceBranchPage_CompositeTransportErrorMessage={0}:\n{1}
SourceBranchPage_AuthFailMessage={0}:\nInvalid password or missing SSH key.

CloneDestinationPage_title=Local Destination
CloneDestinationPage_description=Configure the local storage location for {0}.
CloneDestinationPage_groupDestination=Destination
CloneDestinationPage_groupConfiguration=Configuration
CloneDestinationPage_groupProjects=Projects
CloneDestinationPage_promptDirectory=&Directory
CloneDestinationPage_promptInitialBranch=Initial branc&h
CloneDestinationPage_promptRemoteName=Remote na&me
CloneDestinationPage_browseButton=Bro&wse
CloneDestinationPage_cloneSubmodulesButton=Clone &submodules
CloneDestinationPage_DefaultRepoFolderTooltip=You can change the default parent folder in the Git preferences
CloneDestinationPage_errorInitialBranchRequired=Initial branch is required
CloneDestinationPage_errorInvalidRemoteName=Invalid remote name ''{0}''
CloneDestinationPage_errorNotEmptyDir={0} is not an empty directory.
CloneDestinationPage_errorRemoteNameRequired=Remote name is required
CloneDestinationPage_importButton=&Import all existing Eclipse projects after clone finishes

RefContentProposal_blob=blob
RefContentProposal_branch=branch
RefContentProposal_by=by
RefContentProposal_commit=commit
RefContentProposal_errorReadingObject=Unable to read object {0} for content proposal assistance
RefContentProposal_tag=tag
RefContentProposal_trackingBranch=tracking branch
RefContentProposal_tree=tree
RefContentProposal_unknownObject=locally unknown object
ReflogView_DateColumnHeader=Date
ReflogView_ErrorOnOpenCommit=Error opening commit
ReflogView_MessageColumnHeader=Reflog Message
ReflogView_CommitColumnHeader=Commit
ReflogView_CommitMessageColumnHeader=Commit Message
RefSelectionDialog_Messsage=Select a branch to show the reflog for
RefSelectionDialog_Title=Reflog Branch Selection
RefSpecDialog_AutoSuggestCheckbox=&Automatically suggest a name for the remote tracking branch
RefSpecDialog_DestinationFetchLabel=&Tracking branch:
RefSpecDialog_DestinationPushLabel=&Remote branch:
RefSpecDialog_FetchMessage=Fetch uses the content of a branch or tag of the remote repository as source and updates a tracking branch of the local repository (the target)
RefSpecDialog_FetchTitle=Create or Edit a Refspec for Fetch
RefSpecDialog_ForceUpdateCheckbox=&Force update
RefSpecDialog_GettingRemoteRefsMonitorMessage=Getting remote refs...
RefSpecDialog_MissingDataMessage=Please provide both a source and destination
RefSpecDialog_PushMessage=Push uses the content of a branch or tag of the local repository as source and updates a branch of the remote repository (the target)
RefSpecDialog_PushTitle=Create or Edit a Refspec for Push
RefSpecDialog_SourceBranchFetchLabel=&Remote branch or tag:
RefSpecDialog_SourceBranchPushLabel=&Local branch:
RefSpecDialog_SpecificationLabel=&Specification:
RefSpecDialog_WindowTitle=Create or Edit a Refspec
RefSpecPanel_clickToChange=[Click to change]
RefSpecPanel_columnDst=Destination Ref
RefSpecPanel_columnForce=Force Update
RefSpecPanel_columnMode=Mode
RefSpecPanel_columnRemove=Remove
RefSpecPanel_columnSrc=Source Ref
RefSpecPanel_creationButton=Add Spec
RefSpecPanel_creationButtonDescription=Add this create/update specification to set of {0} specifications.
RefSpecPanel_creationDst=Destination ref:
RefSpecPanel_creationGroup=Add create/update specification
RefSpecPanel_creationSrc=Source ref:
RefSpecPanel_deletionButton=Add Spec
RefSpecPanel_deletionButtonDescription=Add this delete specification to set of push specifications.
RefSpecPanel_deletionGroup=Add delete ref specification
RefSpecPanel_deletionRef=Remote ref to delete:
RefSpecPanel_dstFetchDescription=Local destination ref(s) to fetch to - create or update.
RefSpecPanel_dstPushDescription=Remote destination ref(s) to push to - create or update.
RefSpecPanel_dstDeletionDescription=Remote ref to delete.
RefSpecPanel_fetch=fetch
RefSpecPanel_fetchTitle=Fetch
RefSpecPanel_forceAll=Force Update All Specs
RefSpecPanel_forceAllDescription=Set force update setting to all specifications.
RefSpecPanel_forceDeleteDescription=Delete specification is always unconditional.
RefSpecPanel_forceFalseDescription=Allow only fast-forward update: old object must merge into new object.
RefSpecPanel_forceTrueDescription=Allow non-fast-forward update: old object doesn't have to merge to new object.
RefSpecPanel_modeDelete=Delete
RefSpecPanel_modeDeleteDescription=This is a delete specification.
RefSpecPanel_modeUpdate=Update
RefSpecPanel_modeUpdateDescription=This is a create/update specification.
RefSpecPanel_predefinedAll=Add All Branches Spec
RefSpecPanel_predefinedAllDescription=Add specification covering all branches.
RefSpecPanel_predefinedConfigured=Add Configured {0} Specs
RefSpecPanel_predefinedConfiguredDescription=Add previously configured specifications for this configured remote (if available).
RefSpecPanel_predefinedGroup=Add predefined specification
RefSpecPanel_predefinedTags=Add All Tags Spec
RefSpecPanel_predefinedTagsDescription=Add specification covering all tags.
RefSpecPanel_push=push
RefSpecPanel_pushTitle=Push
RefSpecPanel_refChooseSome=choose/some/ref
RefSpecPanel_refChooseSomeWildcard=choose/some/ref/*
RefSpecPanel_refChooseRemoteName=choose_remote_name
RefSpecPanel_removeAll=Remove All Specs
RefSpecPanel_removeAllDescription=Remove all specifications.
RefSpecPanel_removeDescription=Click to remove this specification.
RefSpecPanel_specifications=Specifications for {0}
RefSpecPanel_srcFetchDescription=Remote source ref(s) to fetch from.
RefSpecPanel_srcPushDescription=Local source ref(s) to push from.
RefSpecPanel_srcDeleteDescription=Delete specification always has an empty source ref.
RefSpecPanel_validationDstInvalidExpression={0} is not a valid ref expression for destination.
RefSpecPanel_validationDstRequired=Destination ref is required.
RefSpecPanel_validationRefDeleteRequired=Ref name to delete is required.
RefSpecPanel_validationRefDeleteWildcard=Delete ref cannot be a wildcard.
RefSpecPanel_validationRefInvalidExpression={0} is not a valid ref expression.
RefSpecPanel_validationRefInvalidLocal={0} is not a valid ref in local repository.
RefSpecPanel_validationRefNonExistingRemote={0} does not exist in remote repository.
RefSpecPanel_validationRefNonExistingRemoteDelete={0} already does not exist in remote repository.
RefSpecPanel_validationRefNonMatchingLocal={0} does not match any ref in local repository.
RefSpecPanel_validationRefNonMatchingRemote={0} does not match any ref in remote repository.
RefSpecPanel_validationSpecificationsOverlappingDestination=Two or more specifications point to {0} (the same destination).
RefSpecPanel_validationSrcUpdateRequired=Source ref is required for update/create specification.
RefSpecPanel_validationWildcardInconsistent=Wildcard must be set either on both source and destination or on none of them.

RefSpecPage_descriptionFetch=Select refs to fetch.
RefSpecPage_descriptionPush=Select refs to push.
RefSpecPage_errorDontMatchSrc=Specifications don't match any existing refs in source repository.
RefSpecPage_errorTransportDialogMessage=Transport Error: Cannot get remote repository refs.
RefSpecPage_operationCancelled=Operation canceled.
RefSpecPage_saveSpecifications=Save specifications in ''{0}'' configuration
RefSpecPage_titleFetch=Fetch Ref Specifications
RefSpecPage_titlePush=Push Ref Specifications
RefSpecPage_annotatedTagsGroup=Annotated tags fetching strategy
RefSpecPage_annotatedTagsAutoFollow=Automatically follow tags if we fetch the thing they point at
RefSpecPage_annotatedTagsFetchTags=Always fetch tags, even if we do not have the thing it points at
RefSpecPage_annotatedTagsNoTags=Never fetch tags, even if we have the thing it points at

RefSpecWizard_pushTitle=Configure Push
RefSpecWizard_fetchTitle=Configure Fetch

QuickDiff_failedLoading=Quick diff failed to obtain file data.

ResetAction_errorResettingHead=Cannot reset HEAD now
ResetAction_repositoryState=Repository state: {0}
ResetAction_reset=Resetting to {0}
ResetCommand_ResetFailureMessage=Reset failed
ResetCommand_WizardTitle=Reset
ResetQuickdiffBaselineHandler_NoTargetMessage=No reset target provided
ResetTargetSelectionDialog_AuthorLabel=Author:
ResetTargetSelectionDialog_CommitLabel=Commit:
ResetTargetSelectionDialog_CommitterLabel=Committer:
ResetTargetSelectionDialog_DetachedHeadState=You are in the 'detached HEAD' state.
ResetTargetSelectionDialog_ExpressionLabel=Reset to (&expression):
ResetTargetSelectionDialog_ExpressionTooltip=Any Git expression resolving to a commit
ResetTargetSelectionDialog_ResetButton=&Reset
ResetTargetSelectionDialog_ResetConfirmQuestion=Resetting will overwrite any changes in your working tree.{0}\n\nDo you want to continue?
ResetTargetSelectionDialog_ResetQuestion=Confirm Reset
ResetTargetSelectionDialog_ResetTitle=Reset: {0}
ResetTargetSelectionDialog_ResetTypeGroup=Reset type
ResetTargetSelectionDialog_ResetTypeHardButton=&Hard (HEAD, index, and working tree updated)
ResetTargetSelectionDialog_ResetTypeMixedButton=&Mixed (HEAD and index updated)
ResetTargetSelectionDialog_ResetTypeSoftButton=&Soft (HEAD updated)
ResetTargetSelectionDialog_ResetTypeHEADHardButton=&Hard (index and working tree updated)
ResetTargetSelectionDialog_ResetTypeHEADMixedButton=&Mixed (index updated)
ResetTargetSelectionDialog_SelectBranchForResetMessage=Select a branch to reset the current branch to
ResetTargetSelectionDialog_SubjectLabel=Subject:
ResetTargetSelectionDialog_UnresolvableExpressionError=Unresolvable expression
ResetTargetSelectionDialog_WindowTitle=Reset
ResourceHistory_MaxNumCommitsInList=Maximum number of commits to &show:
ResourceHistory_ShowBranchSequence=&Branch Sequence
ResourceHistory_ShowTagSequence=&Tag Sequence
ResourceHistory_toggleRelativeDate=Relative &Dates
ResourceHistory_toggleShowNotes=&Notes History
ResourceHistory_toggleCommentWrap=&Wrap Comments
ResourceHistory_toggleCommentFill=Fill &Paragraphs
ResourceHistory_toggleRevDetail=&Revision Details
ResourceHistory_toggleRevComment=Revision C&omment

HardResetToRevisionAction_hardReset=Hard Reset
HistoryPage_authorColumn=Author
HistoryPage_authorDateColumn=Authored Date
HistoryPage_refreshJob=Reading history from Git repository ''{0}''

HistoryPage_findbar_find=Search in history for ''{0}''
HistoryPage_findbar_find_msg=Find
HistoryPage_findbar_next=Next
HistoryPage_findbar_previous=Previous
HistoryPage_findbar_ignorecase=Ignore Case
HistoryPage_findbar_all=All
HistoryPage_findbar_commit=Id
HistoryPage_findbar_comments=Comments
HistoryPage_findbar_author=Author
HistoryPage_findbar_committer=Committer
HistoryPage_findbar_changeto_all=Change to All
HistoryPage_findbar_changeto_commit=Change to Id
HistoryPage_findbar_changeto_comments=Change to Comments
HistoryPage_findbar_changeto_author=Change to Author
HistoryPage_findbar_changeto_committer=Change to Committer
HistoryPage_findbar_changeto_reference=Change to Branch/Tag
HistoryPage_findbar_exceeded=Results limit exceeded
HistoryPage_findbar_notFound=String not found
HistoryPage_findbar_reference=Branch/Tag
HistoryPreferencePage_toggleAllBranches=All &Branches and Tags
HistoryPreferencePage_toggleAdditionalRefs=&Additional Refs
HistoryPreferencePage_toggleEmailAddresses=&E-mail addresses in Author/Committer columns
HistoryPreferencePage_toggleShortenAtStart=&Shorten long tag and branch names at start
HistoryPreferencePage_MaxBranchLength=Maximum characters to show for a &branch:
HistoryPreferencePage_MaxDiffLines=Maximum lines to show for a &diff:
HistoryPreferencePage_MaxTagLength=&Maximum characters to show for a tag:
HistoryPreferencePage_ShowGroupLabel=Show
HistoryPreferencePage_ShowInRevCommentGroupLabel=Show in Revision Comment

PullWizardPage_PageName=PullWizardPage
PullWizardPage_PageTitle=Pull
PullWizardPage_PageMessage=Configure a pull operation to import remote changes.
PullWizardPage_referenceLabel=Reference:
PullWizardPage_referenceTooltip=Reference can be a branch, a tag, a commit id...
PullWizardPage_ChooseReference=Please select a reference to pull from remote \"{0}\"
PullOperationUI_ConnectionProblem=Git connection problem.\
\n\nMaybe you are offline or behind a proxy.\nCheck your network connection and proxy configuration.
PullOperationUI_NotTriedMessage=Not tried
PullOperationUI_PullCanceledWindowTitle=Pull Canceled
PullOperationUI_PullFailed=Pull Failed
PullOperationUI_PullingMultipleTaskName=Pulling from Multiple Repositories
PullOperationUI_PullingTaskName=Pulling Branch {0} - {1}
PullOperationUI_PullOperationCanceledMessage=The pull operation was canceled
PullResultDialog_NothingToFetchFromLocal=Nothing to fetch (the fetch source is the local Repository)
PullResultDialog_DialogTitle=Pull Result for {0}
PullResultDialog_FetchResultGroupHeader=Fetch Result
PullResultDialog_MergeAlreadyUpToDateMessage=Nothing to update - everything up to date
PullResultDialog_MergeResultGroupHeader=Update Result
PushAction_wrongURIDescription=Remote repositories URIs configuration is corrupted.
PushAction_wrongURITitle=Corrupted Configuration
PushBranchPage_CannotAccessCommitDescription=<<<Cannot access commit description. See log for details.>>>
PushBranchPage_Source=Source:
PushBranchPage_Destination=Destination:
PushBranchPage_RemoteLabel=Remote:
PushBranchPage_ChooseRemoteError=Select or add a remote.
PushBranchPage_RemoteBranchNameLabel=Branch:
PushBranchPage_ChooseBranchNameError=Choose to which branch in remote ''{0}'' you want to push.
PushBranchPage_ForceUpdateButton=&Force overwrite branch in remote if it exists and has diverged
PushBranchPage_InvalidBranchNameError=Invalid branch name.
PushBranchPage_NewRemoteButton=New &Remote...
PushBranchPage_PageMessage=Select a remote and the name the branch should have in the remote.
PushBranchPage_PageName=Simple Push
PushBranchPage_PageTitle=Push to branch in remote
PushBranchPage_UpstreamConfigOverwriteWarning=The existing upstream configuration for the branch will be overwritten.
PushBranchPage_advancedWizardLink=Show <A>advanced push</A> dialog
PushBranchPage_advancedWizardLinkTooltip=Will show an advanced, but more complex, dialog to configure the push operation. Compared to this one, the advanced \
dialog supports operations such as pushing multiple refspecs and deleting remote branches.
PushBranchWizard_WindowTitle=Push Branch {0}
PushCommitHandler_pushCommitTitle=Push Commit
PushOperationUI_MultiRepositoriesDestinationString={0} repositories
PushOperationUI_PushJobName=Push to {0}

RepositoryJob_NullStatus=Internal error: job ''{0}'' returned a null status.
RepositoryJobResultAction_RepositoryGone=Cannot find git repository ''{0}'' anymore: result cannot be shown.
ShowPushResultAction_name=Show Push Result...

PushJob_cantConnectToAny=Can''t connect to any repository: {0}
PushJob_unexpectedError=Unexpected error occurred.
PushWizard_cantPrepareUpdatesMessage=Can't resolve ref specifications locally (local refs changed?) or create tracking ref update.
PushWizard_cantPrepareUpdatesTitle=Preparing Ref Updates Error
PushWizard_cantSaveMessage=Couldn't save specified specifications in configuration file.
PushWizard_cantSaveTitle=Configuration Storage Warning
PushWizard_jobName=Pushing to {0}
PushWizard_missingRefsMessage=Ref specifications don't match any source ref (local refs changed?).
PushWizard_missingRefsTitle=Missing Refs Error
PushWizard_windowTitleDefault=Push to Another Repository
PushWizard_windowTitleWithDestination=Push to: {0}

CommitAction_amendCommit=No changed items were selected. Do you wish to amend the last commit?
CommitAction_amendNotPossible=Commit/amend not possible. Possible causes\:\n\n- No changed items were selected\n- Multiple repositories selected\n- No repositories selected\n- No previous commits
CommitAction_cannotCommit=Cannot commit now
CommitAction_CommittingChanges=Committing changes
CommitAction_CommittingFailed=Committing failed
CommitAction_errorComputingDiffs=Error occurred computing Git commit diffs
CommitAction_errorRetrievingCommit=Error occurred retrieving last commit
CommitAction_noFilesToCommit=No files to commit
CommitAction_repositoryState=Repository state: {0}
CommitDialog_AddFileOnDiskToIndex=Add File on &Disk to Index
CommitDialog_AddSOB=Add Signed-off-&by
CommitDialog_AmendPreviousCommit=Am&end (Edit Previous Commit)
CommitDialog_Author=&Author:
CommitDialog_Commit=&Commit
CommitDialog_CommitAndPush=Commit and &Push
CommitDialog_CommitChanges=Commit Changes
CommitDialog_Committer=Committer:
CommitDialog_CommitMessage=Commit message
CommitDialog_CompareWithHeadRevision=&Compare with HEAD revision
CommitDialog_DeselectAll=&Deselect All
CommitDialog_ErrorAddingFiles=Error when adding files
CommitDialog_ErrorInvalidAuthor=Invalid author
CommitDialog_ErrorInvalidAuthorSpecified=Invalid author specified. Please use the form\:\nA U Thor <author@example.com>
CommitDialog_ErrorInvalidCommitterSpecified=Invalid committer specified. Please use the form\:\nC O Mitter <committer@example.com>
CommitDialog_ErrorMustEnterCommitMessage=You must enter a commit message
CommitDialog_ErrorNoItemsSelected=No items selected
CommitDialog_ErrorNoItemsSelectedToBeCommitted=No items are currently selected to be committed.
CommitDialog_ErrorNoMessage=No message
CommitDialog_SelectAll=&Select All
CommitDialog_SelectForCommit=&Select for Commit
CommitDialog_ShowUntrackedFiles=Show &Untracked Files
CommitDialog_Status=Status
CommitDialog_StatusAdded=Added
CommitDialog_StatusAddedIndexDiff=Added, index diff
CommitDialog_StatusAssumeUnchaged=Assume unchanged
CommitDialog_StatusModified=Modified
CommitDialog_StatusModifiedIndexDiff=Mod., index diff
CommitDialog_StatusModifiedNotStaged=Mod., not staged
CommitDialog_StatusRemoved=Removed
CommitDialog_StatusRemovedNotStaged=Rem., not staged
CommitDialog_StatusUnknown=Unknown
CommitDialog_StatusUntracked=Untracked
CommitDialog_StatusRemovedUntracked=Removed, Untracked
CommitDialog_AddChangeIdLabel=Compute Change-Id for Gerrit Code Review
CommitDialog_ConfigureLink=Preferences...
CommitDialog_ContentAssist=Content assist available for previous commit messages and the files shown
CommitDialog_Files=Files ({0}/{1})
CommitDialog_Message=Enter commit message.
CommitDialog_MessageNoFilesSelected=Select one or more files to commit
CommitDialog_OpenStagingViewError=Could not open the Git Staging view
CommitDialog_OpenStagingViewLink=Open <a>Git Staging</a> view
CommitDialog_OpenStagingViewToolTip=For comparing and committing while still being able to navigate and use the editor, try the Git Staging view by clicking the link. The view will be opened with your repository and commit message.
CommitDialog_Path=Path
CommitDialog_Title=Commit Changes to Git Repository
CommitDialog_IgnoreErrors=Ignore warnings and errors
CommitDialog_MessageErrors=Fix warnings/errors before you commit changes or explicitly ignore them
CommitDialog_WrongTypeOfCommitMessageProvider=The extension used as CommitMessageProvider has the wrong type (it must implement org.eclipse.egit.ui.ICommitMessageProvider)

SpellcheckableMessageArea_redo=Redo
SpellcheckableMessageArea_showWhitespace=Show &Whitespace Characters
SpellcheckableMessageArea_undo=Undo
SpellCheckingMessageArea_copy=&Copy
SpellCheckingMessageArea_cut=C&ut
SpellCheckingMessageArea_paste=&Paste
SpellCheckingMessageArea_selectAll=Select &All
CommitMessageComponent_MessageInvalidAuthor=Invalid author specified. Example: A U Thor <author@example.com>
CommitMessageComponent_MessageInvalidCommitter=Invalid committer specified. Example: C O Mitter <committer@example.com>
CommitMessageComponent_AmendingCommitInRemoteBranch=The commit being amended has already been published to a remote branch.
CommitMessageComponent_MessageSecondLineNotEmpty=Second line should be empty to separate commit message header from body
CommitMessageEditorDialog_EditCommitMessageTitle=Interactive Rebase - Reword Commit
CommitMessageViewer_author=Author
CommitMessageViewer_child=Child
CommitMessageViewer_branches=Branches
CommitMessageViewer_MoreBranches=\ and {0} more branches
CommitMessageViewer_tags=Tags
CommitMessageViewer_follows=Follows
CommitMessageViewer_precedes=Precedes
CommitMessageViewer_commit=commit
CommitMessageViewer_committer=Committer
CommitMessageViewer_FormattingMessageTaskName=Formatting commit message
CommitMessageViewer_GettingNextTagTaskName=Getting next tag
CommitMessageViewer_GettingPreviousTagTaskName=Getting previous tag
CommitMessageViewer_parent=Parent
CompareWithIndexAction_errorOnAddToIndex=Error during adding to index
CompareWithPreviousActionHandler_MessageRevisionNotFound=No previous revision of {0} could be found in the repository.
CompareWithPreviousActionHandler_TitleRevisionNotFound=Previous revision not found
CompareWithRefAction_errorOnSynchronize=Error reading from repository while preparing input for compare operation.

CompareUtils_errorCommonAncestor=Error finding common ancestor for {0} and {1}

ConfirmationPage_cantConnectToAnyTitle=Can't Connect
ConfirmationPage_cantConnectToAny=Can''t connect to any URI: {0}
ConfirmationPage_description=Confirm following expected push result.
ConfirmationPage_errorCantResolveSpecs=Can''t resolve ref specifications locally or create tracking ref update: {0}
ConfirmationPage_errorInterrupted=Operation was interrupted.
ConfirmationPage_errorRefsChangedNoMatch=Local refs changed, ref specifications don't match any source ref.
ConfirmationPage_errorUnexpected=Unexpected error occurred: {0}
ConfirmationPage_requireUnchangedButton=Cancel push if result would be different than above because of changes on remote
ConfirmationPage_showOnlyIfChanged=Show dialog with result only when it is different from the confirmed result above
ConfirmationPage_title=Push Confirmation
CreateBranchPage_BranchNameLabel=&Branch name:
CreateBranchPage_BranchNameToolTip=The name of the new local branch to create
CreateBranchPage_CheckingOutMessage=Checking out new branch...
CreateBranchPage_CheckoutButton=&Check out new branch
CreateBranchPage_ChooseBranchAndNameMessage=Please choose a source branch and a name for the new branch
CreateBranchPage_ChooseNameMessage=Please choose a name for the new branch
CreateBranchPage_CreateBranchNameProviderFailed=Failed to create branch name provider
CreateBranchPage_CreatingBranchMessage=Creating branch...
CreateBranchPage_LocalBranchWarningMessage=Local branch as upstream is not recommended, use remote branch
CreateBranchPage_MissingSourceMessage=Please select a source branch
CreateBranchPage_SourceLabel=&Source:
CreateBranchPage_SourceSelectButton=Select...
CreateBranchPage_SourceSelectionDialogMessage=Select source for creating branch.
CreateBranchPage_SourceSelectionDialogTitle=Select Source
CreateBranchPage_SourceTooltip=The new branch will start at this point
CreateBranchPage_Title=Create a new branch
CreateBranchWizard_CreationFailed=Branch could not be created
CreateBranchWizard_NewBranchTitle=Create Branch
CreateRepositoryPage_BareCheckbox=&Create as bare repository
CreateRepositoryPage_BrowseButton=&Browse...
CreateRepositoryPage_DirectoryLabel=Repository &directory:
CreateRepositoryPage_NotEmptyMessage=Directory {0} is not empty
CreateRepositoryPage_PageMessage=Determine the directory for the new repository
CreateRepositoryPage_PageTitle=Create a New Git Repository
CreateRepositoryPage_PleaseSelectDirectoryMessage=Select a directory
PushResultDialog_title=Push Results: {0}
PushResultDialog_label=Pushed to {0}
PushResultDialog_label_failed=Failed pushing to {0}
PushResultDialog_ConfigureButton=&Configure...
PushResultTable_MesasgeText=Message Details
PushResultTable_repository=Repository
PushResultTable_statusRemoteRejected=[remote rejected]
PushResultTable_statusRejected=[rejected]
PushResultTable_statusNoMatch=[no match]
PushResultTable_statusUpToDate=[up to date]
PushResultTable_statusOkDeleted=[deleted]
PushResultTable_statusOkNewBranch=[new branch]
PushResultTable_statusOkNewTag=[new tag]
PushTagsPage_ForceUpdateButton=Force overwrite of tags when they already exist on remote
PushTagsPage_PageMessage=Select a remote and the tags to push. The next page will show a confirmation.
PushTagsPage_PageName=Push Tags
PushTagsPage_PageTitle=Select Tags
PushTagsPage_RemoteLabel=Remote:
PushTagsPage_TagsLabelNoneSelected=Tags:
PushTagsPage_TagsLabelSelected=Tags ({0} selected):
PushTagsWizard_WindowTitle=Push Tags
PushToGerritPage_BranchLabel=Gerrit &Branch:
PushToGerritPage_ContentProposalHoverText=Press {0} or start typing to see a filtered list of branch names
PushToGerritPage_ContentProposalStartTypingText=Start typing to see a filtered list of branch names
PushToGerritPage_Message=Select a Gerrit URI and branch name
PushToGerritPage_MissingBranchMessage=Select a branch
PushToGerritPage_MissingUriMessage=Select a URI
PushToGerritPage_Title=Push the current HEAD from repository {0} to Gerrit
PushToGerritPage_TopicCollidesWithBranch=Using this topic would collide with the remote branch ''{0}''
PushToGerritPage_TopicContentProposalHoverText=Press {0} to see recently used topics beginning with the current topic text
PushToGerritPage_TopicHasWhitespace=Topic must not contain whitespace
PushToGerritPage_TopicInvalidCharacters=Topic must not contain both commas and percent signs
PushToGerritPage_TopicLabel=&Topic:
PushToGerritPage_TopicSaveFailure=Cannot save topic in configuration of ''{0}''
PushToGerritPage_TopicUseLabel=Use Topic
PushToGerritPage_UriLabel=&URI:
PushToGerritWizard_Title=Push the current HEAD to Gerrit

FetchAction_wrongURITitle=Corrupted Configuration
FetchAction_wrongURIMessage=Remote repositories URIs configuration is corrupted.
FetchOperationUI_FetchJobName=Fetch from {0}
FetchOperationUI_ShowFetchResult=Show Fetch Result...

FetchDestinationPage_PageTitle=Please select a fetch destination
FetchDestinationPage_CouldNotGetBranchesMessage=Could not obtain tracking branches
FetchDestinationPage_DestinationLabel=Destination:
FetchDestinationPage_ForceCheckbox=Update the local repository even if data could be lost
FetchDestinationPage_PageMessage=The destination is a remote tracking branch in the local repository
FetchDestinationPage_RepositoryLabel=Local repository:
FetchDestinationPage_SourceLabel=Source:
FetchDestinationPage_TrackingBranchNotFoundMessage=Remote tracking branch ''{0}'' not found in local repository
FetchGerritChangePage_ActivateAdditionalRefsButton=Make FETCH_HEAD visible in &History View
FetchGerritChangePage_ActivateAdditionalRefsTooltip=The History View is currently configured not to show FETCH_HEAD; if you check this, the History View settings will be changed so that FETCH_HEAD becomes visible
FetchGerritChangePage_AfterFetchGroup=Action to perform after fetch
FetchGerritChangePage_BranchEditButton=Edit Branches...
FetchGerritChangePage_BranchNameText=Branch &name:
FetchGerritChangePage_ChangeLabel=&Change:
FetchGerritChangePage_CheckingOutTaskName=Checking out change
FetchGerritChangePage_CheckoutRadio=Check &out FETCH_HEAD
FetchGerritChangePage_ContentAssistDescription=Patch set {0} of change {1}
FetchGerritChangePage_ContentAssistTooltip=Press {0} to see a filtered list of changes
FetchGerritChangePage_CreatingBranchTaskName=Creating branch
FetchGerritChangePage_CreatingTagTaskName=Creating tag
FetchGerritChangePage_FetchingTaskName=Fetching change {0}
FetchGerritChangePage_GeneratedTagMessage=Generated for Gerrit change {0}
FetchGerritChangePage_GetChangeTaskName=Get change from Gerrit
FetchGerritChangePage_LocalBranchRadio=Create a &local branch
FetchGerritChangePage_LocalBranchCheckout=Check out new branch
FetchGerritChangePage_MissingChangeMessage=Please provide a change
FetchGerritChangePage_PageMessage=Please select a Gerrit URI and change to fetch
FetchGerritChangePage_PageTitle=Fetch a change from Gerrit into repository {0}
FetchGerritChangePage_RunInBackground=&Run in background
FetchGerritChangePage_SuggestedRefNamePattern=change/{0}/{1}
FetchGerritChangePage_TagNameText=Tag &name:
FetchGerritChangePage_TagRadio=Create and check out a &tag
FetchGerritChangePage_UpdateRadio=U&pdate FETCH_HEAD only
FetchGerritChangePage_UriLabel=&URI:
FetchGerritChangeWizard_WizardTitle=Fetch a change from Gerrit
FetchResultDialog_ConfigureButton=&Configure...
FetchResultDialog_labelEmptyResult=No ref to fetch from {0} - everything up to date.
FetchResultDialog_labelNonEmptyResult=Fetched from {0}.
FetchResultDialog_title=Fetch Results: {0}

FetchResultTable_counterCommits=\ ({0})
FetchResultTable_statusDetailCouldntLock=couldn't lock local tracking ref for update
FetchResultTable_statusDetailFastForward=fast-forward
FetchResultTable_statusDetailIOError=I/O error occurred during local tracking ref update
FetchResultTable_statusDetailNonFastForward=non-fast-forward
FetchResultTable_statusIOError=[i/o error]
FetchResultTable_statusLockFailure=[lock fail]
FetchResultTable_statusNew=[new]
FetchResultTable_statusNewBranch=[new branch]
FetchResultTable_statusNewTag=[new tag]
FetchResultTable_statusRejected=[rejected]
FetchResultTable_statusUpToDate=[up to date]
FetchResultTable_statusPruned=[pruned]
FetchSourcePage_GettingRemoteRefsTaskname=Getting remote refs
FetchSourcePage_PageMessage=The source is a branch or tag in the remote repository
FetchSourcePage_PageTitle=Please select a fetch source
FetchSourcePage_RefNotFoundMessage=Ref ''{0}'' not found in remote repository
FetchSourcePage_RepositoryLabel=Remote repository:
FetchSourcePage_SourceLabel=Source:
FetchWizard_cantSaveMessage=Couldn't save specified specifications in configuration file.
FetchWizard_cantSaveTitle=Configuration Storage Warning
FetchWizard_windowTitleDefault=Fetch from Another Repository
FetchWizard_windowTitleWithSource=Fetch from: {0}
FileDiffContentProvider_errorGettingDifference=Can''t get file difference of {0}.
FileDiffLabelProvider_RenamedFromToolTip=Renamed from {0}
FileRevisionEditorInput_NameAndRevisionTitle={0} {1}
FileTreeContentProvider_NonWorkspaceResourcesNode=Non-workspace files
FindToolbar_NextTooltip=Go to next commit matching the search criteria
FindToolbar_PreviousTooltip=Go to previous commit matching the search criteria
FormatJob_buildingCommitInfo=Building Commit Info

WindowCachePreferencePage_title=Git Window Cache
WindowCachePreferencePage_packedGitWindowSize=Window size:
WindowCachePreferencePage_packedGitLimit=Window cache limit:
WindowCachePreferencePage_deltaBaseCacheLimit=Delta base cache limit:
WindowCachePreferencePage_packedGitMMAP=Use virtual memory mapping
WindowCachePreferencePage_streamFileThreshold=Stream File Threshold:

ProcessStepsRebaseCommand_CancelDialogMessage=Processing steps canceled
ProcessStepsRebaseCommand_JobName=Processing Steps
ProjectsPreferencePage_AutoShareProjects=Automatically share projects located in a Git repository
ProjectsPreferencePage_RestoreBranchProjects=Track each branch's imported projects and restore on checkout
ProjectsPreferencePage_AutoIgnoreDerivedResources=Automatically ignore derived resources by adding them to .gitignore

RefreshPreferencesPage_RefreshIndexInterval=Refre&sh interval (seconds):
RefreshPreferencesPage_RefreshIndexIntervalTooltip=0 is equivalent to no refresh
RefreshPreferencesPage_RefreshOnlyWhenActive=Refresh only when workbench is &active
RefreshPreferencesPage_RefreshWhenIndexChange=Refresh resources when &index changes
RefUpdateElement_CommitCountDecoration=({0})
RefUpdateElement_CommitRangeDecoration=[{0}{1}{2}]
RefUpdateElement_statusRejectedNonFastForward=[rejected - non-fast-forward]
RefUpdateElement_UrisDecoration=({0})

CommittingPreferencePage_commitMessageHistory=Maximum number of commit messages in history:
CommittingPreferencePage_title=Committing
CommittingPreferencePage_formatting=Formatting
CommittingPreferencePage_hardWrapMessage=Hard-wrap commit message
CommittingPreferencePage_hardWrapMessageTooltip=Wrap text in commit message editor while typing
CommittingPreferencePage_warnAboutCommitMessageSecondLine=Warn if second line of commit message is not empty
CommittingPreferencePage_footers=Footers
CommittingPreferencePage_includeUntrackedFiles=Include selected untracked files
CommittingPreferencePage_includeUntrackedFilesTooltip=Check selected untracked files by default
CommittingPreferencePage_signedOffBy=Insert Signed-off-by
CommittingPreferencePage_signedOffByTooltip=Insert "Signed-off-by:" footer by default
CommittingPreferencePage_CheckBeforeCommitting=Show warning
CommittingPreferencePage_WarnBeforeCommitting=Warn if there are:
CommittingPreferencePage_WarnBeforeCommittingTitle=Build problems
CommittingPreferencePage_WarnBlock_Errors=Errors
CommittingPreferencePage_WarnBlock_WarningsAndErrors=Warnings and errors
CommittingPreferencePage_BlockCommit=Block commit button
CommittingPreferencePage_BlockCommitCombo=Block if there are:
CommittingPreferencePage_AlwaysUseStagingView=Use Staging View to commit instead of Commit Dialog
CommittingPreferencePage_autoStageDeletion=Automatically stage files being deleted
CommittingPreferencePage_autoStageMoves=Automatically stage files being moved
CommittingPreferencePage_AutoStageOnCommit=Automatically stage selected resources on commit
CommittingPreferencePage_general=General

DateFormatPreferencePage_title=Date Format
DateFormatPreferencePage_formatChooser_label=&Format:
DateFormatPreferencePage_formatInput_label=Date format:
DateFormatPreferencePage_invalidDateFormat_message=Not a valid date format
DateFormatPreferencePage_datePreview_label=Date preview:
DateFormatPreferencePage_choiceGitDefault_label=Git default format
DateFormatPreferencePage_choiceGitLocal_label=Git local format
DateFormatPreferencePage_choiceGitRelative_label=Git relative date format
DateFormatPreferencePage_choiceGitIso_label=Git ISO 8601 format
DateFormatPreferencePage_choiceGitRfc_label=Git RFC 2822 format
DateFormatPreferencePage_choiceGitShort_label=Git short date format
DateFormatPreferencePage_choiceGitLocale_label=System locale date format with time zone
DateFormatPreferencePage_choiceGitLocaleLocal_label=System locale date format
DateFormatPreferencePage_choiceCustom_label=User-defined format
DateFormatPreferencePage_gitRelative_format_text=relative date
DateFormatPreferencePage_gitLocale_format_text=system format with time zone
DateFormatPreferencePage_gitLocaleLocal_format_text=system format
DateFormatPreferencePage_helpGitDefault_label=Time of the commit in the committer's time zone, with time zone; with US day and month names.
DateFormatPreferencePage_helpGitLocal_label=Time of the commit converted to your local time zone, without time zone; with US day and month names.
DateFormatPreferencePage_helpGitRelative_label=Time of the commit relative to your local time.
DateFormatPreferencePage_helpGitIso_label=Time of the commit in the committer's time zone in ISO 8601 format with time zone.
DateFormatPreferencePage_helpGitRfc_label=Time of the commit in the committer's time zone in e-mail format RFC 2822 with time zone.
DateFormatPreferencePage_helpGitShort_label=Date of the commit in the committer's time zone, without time; year-month-day.
DateFormatPreferencePage_helpGitLocale_label=Time of the commit in the committer's time zone in your system format, with time zone.
DateFormatPreferencePage_helpGitLocaleLocal_label=Time of the commit converted to your local time zone in your system format, without time zone.
DateFormatPreferencePage_helpCustom_label=Time of the commit converted to your local time zone in the format specified.

BasicConfigurationDialog_ConfigLocationInfo=These settings will be stored in the Git configuration file in your home directory.
BasicConfigurationDialog_DialogMessage=When creating a commit, Git records name and e-mail of author and committer. Please fill in the information so that your commits are correctly attributed.
BasicConfigurationDialog_DialogTitle=Please identify yourself
BasicConfigurationDialog_DontShowAgain=&Don't show this dialog again
BasicConfigurationDialog_OpenPreferencePage=Open the <a>Git Configuration</a> preference page
BasicConfigurationDialog_UserEmailLabel=&E-mail:
BasicConfigurationDialog_UserNameLabel=Full &name:
BasicConfigurationDialog_WindowTitle=Identify Yourself
BranchAction_branchFailed=Branch failed
BranchAction_cannotCheckout=Cannot check out now
BranchAction_checkingOut=Checking out {0} - {1}
BranchAction_repositoryState=Repository state: {0}
BranchConfigurationDialog_BranchConfigurationTitle=Git Branch Configuration
BranchConfigurationDialog_EditBranchConfigMessage=Edit the upstream configuration for branch {0}
BranchConfigurationDialog_ExceptionGettingRefs=Exception getting Refs
BranchConfigurationDialog_RemoteLabel=Rem&ote:
BranchConfigurationDialog_SaveBranchConfigFailed=Could not save branch configuration
BranchConfigurationDialog_UpstreamBranchLabel=Upstream &Branch:
BranchOperationUI_CheckoutRemoteTrackingAsLocal=Check out as New Local Branch
BranchOperationUI_CheckoutRemoteTrackingCommit=Check out Commit
BranchOperationUI_CheckoutRemoteTrackingQuestion=If you want to work on the branch, a new local branch has to be created and checked out.\n\nIf you just want to have a look at the state of the branch, the commit of the remote-tracking branch can be checked out.
BranchOperationUI_CheckoutRemoteTrackingTitle=Check out remote-tracking branch
BranchOperationUI_Continue=&Continue
BranchOperationUI_DetachedHeadTitle=Detached HEAD
BranchOperationUI_DetachedHeadMessage=You are in the 'detached HEAD' state. This means that you don't have a local branch checked out.\n\nYou can look around, but it's not recommended to commit changes. The reason is that these commits would not be on any branch and would not be visible after checking out another branch.\n\nIf you want to make changes, create or check out a local branch first.
LaunchFinder_RunningLaunchDontShowAgain=Don't show this warning again
LaunchFinder_RunningLaunchMessage=The launch configuration ''{0}'' is currently running and uses a project of this repository.
LaunchFinder_RunningLaunchTitle=Running Launch
LaunchFinder_SearchLaunchConfiguration=Search running launch configuration
LaunchFinder_ContinueQuestion=Continue all the same?
BranchNameNormalizer_Tooltip=Type {0} to get an auto-corrected branch name
BranchRebaseMode_Rebase=Rebase
BranchRebaseMode_Preserve=Rebase preserving merge commits
BranchRebaseMode_Interactive=Rebase interactively
BranchRebaseMode_None=Merge
BranchRenameDialog_Message=Please enter a new name for branch {0}
BranchRenameDialog_NewNameLabel=New Branch &name:
BranchRenameDialog_RenameExceptionMessage=Could not rename branch
BranchRenameDialog_Title=Rename Branch
BranchRenameDialog_WindowTitle=Rename Branch
BranchRenameDialog_WrongPrefixErrorMessage=Cannot rename Ref with name {0}
BranchPropertySource_RebaseDescriptor=Rebase
BranchPropertySource_RemoteDescriptor=Remote
BranchPropertySource_UpstreamBranchDescriptor=Upstream Branch
BranchPropertySource_UpstreamConfigurationCategory=Upstream Configuration
BranchPropertySource_ValueNotSet=<Not set>
BranchResultDialog_buttonCommit=Commit...
BranchResultDialog_buttonReset=Reset
BranchResultDialog_buttonStash=Stash...
BranchResultDialog_CheckoutConflictsMessage=The files shown below have uncommitted changes which would be lost by checking out ''{0}''.\n\nEither commit the changes, stash the changes, or discard the changes by resetting the current branch.
BranchResultDialog_CheckoutConflictsTitle=Checkout Conflicts
BranchResultDialog_DetachedHeadWarningDontShowAgain=Don't show any dialogs about this again
BranchSelectionAndEditDialog_Message=Select a ref and choose action to execute
BranchSelectionAndEditDialog_Title=Select a branch or work with branches
BranchSelectionAndEditDialog_WindowTitle=Branches
BranchSelectionAndEditDialog_OkClose=&Close
BranchSelectionAndEditDialog_ErrorCouldNotCreateNewRef=Could not create new ref {0}
BranchSelectionAndEditDialog_ErrorCouldNotDeleteRef=Could not delete ref {0}
BranchSelectionAndEditDialog_ErrorCouldNotRenameRef=Failed to rename branch {0} -> {1}, status={2}
BranchSelectionAndEditDialog_NewBranch=&New Branch...
BranchSelectionAndEditDialog_Rename=&Rename...
BranchSelectionAndEditDialog_Delete=&Delete
MergeAction_CannotMerge=Merge Unavailable
MergeAction_HeadIsNoBranch=HEAD is not pointing to a branch
MergeAction_JobNameMerge=Merging with {0}
MergeAction_MergeCanceledMessage=The merge operation was canceled
MergeAction_MergeCanceledTitle=Merge Canceled
MergeAction_MergeResultTitle=Merge Result
MergeAction_WrongRepositoryState=The current repository state ''{0}'' does not allow merging
MergeModeDialog_DialogTitle=Select a Merge Mode
MergeModeDialog_DontAskAgainLabel=&Don't ask again
MergeModeDialog_MergeMode_1_Label=Use the &workspace version of conflicting files (pre-merged by Git)
MergeModeDialog_MergeMode_2_Label=Use &HEAD (the last local version) of conflicting files
MergeResultDialog_couldNotFindCommit=Could not find commit: {0}
MergeResultDialog_conflicts=Conflicting Paths
MergeResultDialog_failed=Failed Paths
MergeResultDialog_mergeInput=Merge input
MergeResultDialog_newHead=New HEAD
MergeResultDialog_nMore=... {0} more
MergeResultDialog_result=Result
MergeResultDialog_StatusAborted=Aborted
MergeResultDialog_StatusAlreadyUpToDate=Already up-to-date
MergeResultDialog_StatusCheckoutConflict=Checkout conflict
MergeResultDialog_StatusConflicting=Merge conflict
MergeResultDialog_StatusFailed=Failed
MergeResultDialog_StatusFastForward=Fast-forward
MergeResultDialog_StatusFastForwardSquashed=Fast-forward (squashed)
MergeResultDialog_StatusMerged=Merged
MergeResultDialog_StatusMergedNotCommitted=Merged (not committed)
MergeResultDialog_StatusMergedSquashed=Merged (squashed)
MergeResultDialog_StatusMergedSquashedNotCommitted=Merged (squashed, not committed)
MergeResultDialog_StatusNotSupported=Not yet supported
MergeTargetSelectionDialog_ButtonMerge=&Merge
MergeTargetSelectionDialog_SelectRef=Select a branch or tag to merge into the currently checked out branch
MergeTargetSelectionDialog_SelectRefWithBranch=Select a branch or tag to merge into the ''{0}'' branch
MergeTargetSelectionDialog_TitleMerge=Merge Branch
MergeTargetSelectionDialog_TitleMergeWithBranch=Merge ''{0}''
MergeTargetSelectionDialog_FastForwardGroup=Fast forward options
MergeTargetSelectionDialog_FastForwardButton=If a fast-forward, &only update the branch pointer
MergeTargetSelectionDialog_NoFastForwardButton=If a fast-forward, create a &merge commit
MergeTargetSelectionDialog_OnlyFastForwardButton=If &not a fast-forward, fail
MergeTargetSelectionDialog_MergeTypeGroup=Merge options
MergeTargetSelectionDialog_MergeTypeCommitButton=&Commit (commit the result)
MergeTargetSelectionDialog_MergeTypeNoCommitButton=N&o commit (prepare merge commit, but don't commit yet)
MergeTargetSelectionDialog_MergeTypeSquashButton=&Squash (merge changes into working tree, but don't create merge commit)

DecoratorPreferencesPage_addVariablesTitle=Add Variables
DecoratorPreferencesPage_addVariablesAction=Add &Variables...
DecoratorPreferencesPage_addVariablesAction2=Add Va&riables...
DecoratorPreferencesPage_addVariablesAction3=Add Var&iables...
DecoratorPreferencesPage_recomputeAncestorDecorations=Re-decorate &ancestors when decorating changed resources
DecoratorPreferencesPage_recomputeAncestorDecorationsTooltip=Enabling this option will cause the ancestor-tree of any updated resources to also be re-decorated (minor performance impact).
DecoratorPreferencesPage_description=Shows Git specific information on resources in projects under version control.
DecoratorPreferencesPage_preview=Preview:
DecoratorPreferencesPage_fileFormatLabel=&Files:
DecoratorPreferencesPage_folderFormatLabel=F&olders:
DecoratorPreferencesPage_projectFormatLabel=&Projects:
DecoratorPreferencesPage_submoduleFormatLabel=&Submodules:
DecoratorPreferencesPage_labelDecorationsLink=See <a>''{0}''</a> to enable or disable Git decorations.
DecoratorPreferencesPage_colorsAndFontsLink=See <a>''{0}''</a> to configure the font and color decorations.
DecoratorPreferencesPage_generalTabFolder=&General
DecoratorPreferencesPage_bindingResourceName=Name of the resource being decorated
DecoratorPreferencesPage_bindingBranchName=Current branch of the repository
DecoratorPreferencesPage_bindingBranchStatus=Branch status (compared to remote-tracking)
DecoratorPreferencesPage_bindingCommitMessage=First line of the commit message of the HEAD commit
DecoratorPreferencesPage_bindingDirtyFlag=Flag indicating whether or not the resource is dirty
DecoratorPreferencesPage_bindingStagedFlag=Flag indicating whether or not the resource is staged
DecoratorPreferencesPage_selectVariablesToAdd=Select the &variables to add to the decoration format:
DecoratorPreferencesPage_textLabel=T&ext Decorations
DecoratorPreferencesPage_iconLabel=&Icon Decorations
DecoratorPreferencesPage_iconsShowTracked=Tracked resources
DecoratorPreferencesPage_iconsShowUntracked=Untracked resources
DecoratorPreferencesPage_iconsShowStaged=Staged resources
DecoratorPreferencesPage_iconsShowConflicts=Conflicting resources
DecoratorPreferencesPage_iconsShowAssumeUnchanged=Assumed unchanged resources
DecoratorPreferencesPage_changeSetLabelFormat=Commits:
DecoratorPreferencesPage_otherDecorations=Other
DecoratorPreferencesPage_bindingChangeSetAuthor=Commit author name;
DecoratorPreferencesPage_bindingChangeSetCommitter=Commit committer name;
DecoratorPreferencesPage_bindingChangeSetDate=Commit creation date (see date format setting);
DecoratorPreferencesPage_bindingChangeSetShortMessage=First line of commit message text;

Decorator_exceptionMessage=Errors occurred while applying Git decorations to resource ''{0}''.
Decorator_exceptionMessageCommon=Errors occurred while applying Git decorations to resources.
DeleteBranchCommand_CannotDeleteCheckedOutBranch=Cannot delete the currently checked out branch
DeleteBranchCommand_DeletingBranchesProgress=Deleting branches
DeleteBranchDialog_DialogMessage=Select a branch to delete
DeleteBranchDialog_DialogTitle=Delete a branch
DeleteBranchDialog_WindowTitle=Delete branch
DeleteBranchOnCommitHandler_SelectBranchDialogMessage=Please select the branches you want to delete
DeleteBranchOnCommitHandler_SelectBranchDialogTitle=Delete Branches
DeleteRepositoryConfirmDialog_DeleteGitDirCheckbox=Delete Git repository data and history:
DeleteRepositoryConfirmDialog_DeleteRepositoryConfirmMessage=Confirm deletion of repository.
DeleteRepositoryConfirmDialog_DeleteRepositoryNoUndoWarning=Repository deletion cannot be undone.
DeleteRepositoryConfirmDialog_DeleteRepositoryTitle=Delete Repository ''{0}''
DeleteRepositoryConfirmDialog_DeleteRepositoryWindowTitle=Delete Repository
DeleteRepositoryConfirmDialog_DeleteWorkingDirectoryCheckbox=Also delete &working tree:
DeleteRepositoryConfirmDialog_DeleteProjectsCheckbox=Remove {0,choice,1#the project|1<the {0} projects} in the repository from the workspace
DeleteTagOnCommitHandler_SelectTagDialogMessage=Please select the tags you want to delete
DeleteTagOnCommitHandler_SelectTagDialogTitle=Delete Tags
DeleteTagCommand_deletingTagsProgress=Deleting tags
DeleteTagCommand_messageConfirmMultipleTag=Are you sure you want to delete these {0} tags?
DeleteTagCommand_messageConfirmSingleTag=Are you sure you want to delete tag ''{0}''?
DeleteTagCommand_taskName=Deleting tag
DeleteTagCommand_titleConfirm=Confirm Tag Deletion
DeleteResourcesOperationUI_confirmActionTitle=Delete Resources
DeleteResourcesOperationUI_confirmActionMessage=Are you sure you want to delete the selected files from the file system?
DeleteResourcesOperationUI_deleteFailed=Deleting resources failed

IgnoreActionHandler_addToGitignore=Add to .gitignore
IgnoreActionHandler_manyFilesToBeIgnoredTitle=Ignoring {0} files
IgnoreActionHandler_manyFilesToBeIgnoredQuestion=Adding many files to .gitignore will slow down most subsequent git operations. Consider editing .gitignore manually and excluding files using wildcard matches or excluding whole directories.\n\nDo you want to continue all the same?

RepositoriesView_BranchDeletionFailureMessage=Branch deletion failed
RepositoriesView_Branches_Nodetext=Branches
RepositoriesView_CheckoutConfirmationMessage=Do you really want to check out ''{0}''?
RepositoriesView_CheckoutConfirmationTitle=Check Out Branch
RepositoriesView_CheckoutConfirmationToggleMessage=Don't show this confirmation dialog again
RepositoriesView_ClipboardContentNoGitRepoMessage=Path {0} does not appear to be a Git repository location
RepositoriesView_ClipboardContentNotDirectoryOrURIMessage=Clipboard content is neither a directory path nor a valid git URI
RepositoriesView_ConfirmDeleteRemoteHeader=Confirm Remote Configuration Deletion
RepositoriesView_ConfirmDeleteRemoteMessage=Are you sure you want to remove remote configuration ''{0}''?
RepositoriesView_ConfirmProjectDeletion_Question=There are {0} projects that belong to the removed repositories, do you want to remove them from the workspace?
RepositoriesView_ConfirmProjectDeletion_WindowTitle=Confirm Project Deletion
RepositoriesView_DeleteRepoDeterminProjectsMessage=Determining projects that must be deleted
RepositoriesView_ErrorHeader=Error
RepositoriesView_ExceptionLookingUpRepoMessage=An exception occurred while looking up the repository path ''{0}''; it will be removed from the Git Repositories view
RepositoriesView_linkAdd=Add an existing local Git repository
RepositoriesView_linkClone=Clone a Git repository
RepositoriesView_linkCreate=Create a new local Git repository
RepositoriesView_messsageEmpty=Select one of the following to add a repository to this view:
RepositoriesView_NothingToPasteMessage=Clipboard contains no data to paste
RepositoriesView_PasteRepoAlreadyThere=Repository at location {0} is already in the list
RepositoriesView_RemotesNodeText=Remotes
RepositoriesView_TagDeletionFailureMessage=Deletion of tags failed
RepositoriesView_WorkingDir_treenode=Working Tree
RepositoriesViewActionProvider_OpenWithMenu=Open Wit&h
RepositoriesViewContentProvider_ExceptionNodeText=Exception encountered while fetching children
RepositoriesViewLabelProvider_LocalNodetext=Local
RepositoriesViewLabelProvider_RemoteTrackingNodetext=Remote Tracking
RepositoriesViewLabelProvider_StashNodeText=Stashed Commits
RepositoriesViewLabelProvider_SubmodulesNodeText=Submodules
RepositoriesViewLabelProvider_SymbolicRefNodeText=References
RepositoriesViewLabelProvider_TagsNodeText=Tags

DialogsPreferencePage_DetachedHeadCombo=D&etached HEAD and checkout of remote-tracking branch
DialogsPreferencePage_HideConfirmationGroupHeader=Show confirmation dialogs
DialogsPreferencePage_ShowInfoGroupHeader=Show result dialogs after git remote operations
DialogsPreferencePage_ShowFetchInfoDialog=&Fetch Result Dialog
DialogsPreferencePage_ShowPushInfoDialog=&Push Result Dialog
DialogsPreferencePage_ShowTooltip=If unchecked, the result dialog will not be shown automatically. It will still be available via the progress view.
DialogsPreferencePage_HideWarningGroupHeader=Log warnings
DialogsPreferencePage_HomeDirWarning=&Home directory warning (Windows only)
DialogsPreferencePage_RebaseCheckbox=&Rebase confirmation
DialogsPreferencePage_RunningLaunchOnCheckout=Warn about running &launches when switching branches
DialogsPreferencePage_ShowInitialConfigCheckbox=&Initial configuration
DialogsPreferencePage_ShowCheckoutConfirmation=Chec&kout confirmation
DialogsPreferencePage_ShowCloneFailedDialog=Clo&ne failed error
DiffEditorPage_TaskGeneratingDiff=Generating diff
DiffEditorPage_TaskUpdatingViewer=Updating diff viewer
DiffEditorPage_Title=Diff
DiffEditorPage_ToggleLineNumbers=Use Old/New &Line Numbers
DiffEditorPage_WarningNoDiffForMerge=Cannot compute diff for a merge commit.
DiscardChangesAction_confirmActionTitle=Discard Local Changes
DiscardChangesAction_confirmActionMessage=This will discard all local changes for the selected resources. Untracked files will be ignored.{0}\n\nAre you sure you want to do this?
DiscardChangesAction_discardChanges=Discard Changes
Disconnect_disconnect=Disconnect

GitCompareEditorInput_CompareResourcesTaskName=Comparing Resources
GitCompareEditorInput_EditorTitle={0}: Comparing {1} with {2}
GitCompareEditorInput_EditorTitleMultipleResources=Multiple Resources: Comparing {0} with {1}
GitCompareEditorInput_EditorTitleSingleResource={0}: Comparing {1} with {2}
GitCompareEditorInput_ResourcesInDifferentReposMessagge=Resources belong to different repositories
GitCompareFileRevisionEditorInput_CompareInputTitle={0}
GitCompareFileRevisionEditorInput_CompareTooltip=Compare {0} {1} and {2}
GitCompareFileRevisionEditorInput_CurrentRevision=Current Revision
GitCompareFileRevisionEditorInput_CurrentTitle=Current
GitCompareFileRevisionEditorInput_contentIdentifier=Problem getting content identifier
GitCompareFileRevisionEditorInput_LocalHistoryLabel=Local history: {0} {1}
GitCompareFileRevisionEditorInput_LocalLabel=Local: {0}
GitCompareFileRevisionEditorInput_IndexLabel=Index: {0}
GitCompareFileRevisionEditorInput_IndexEditableLabel=Index: {0} (editable)
GitCompareFileRevisionEditorInput_LocalRevision=Local Revision
GitCompareFileRevisionEditorInput_RevisionLabel={0} {1} ({2})
GitCompareFileRevisionEditorInput_LocalVersion={0} (local version)
GitCompareFileRevisionEditorInput_StagedVersion={0} (staged version)
GitCreateGeneralProjectPage_DirLabel=Directory
GitCreateGeneralProjectPage_DirNotExistMessage=Directory {0} does not exist
GitCreateGeneralProjectPage_EnterProjectNameMessage=Please provide a project name
GitCreateGeneralProjectPage_FileExistsInDirMessage=A {0} file already exists in directory {1}
GitCreateGeneralProjectPage_FileNotDirMessage=File {0} is not a directory
GitCreateGeneralProjectPage_PorjectAlreadyExistsMessage=Project {0} already exists
GitCreateGeneralProjectPage_ProjectNameLabel=Project name
GitCreatePatchAction_cannotCreatePatch=Cannot create patch
GitCreatePatchAction_workingTreeClean=There are no changes in the workspace for the current selection
GitCreatePatchWizard_Browse=B&rowse...
GitCreatePatchWizard_Clipboard=&Clipboard
GitCreatePatchWizard_ContextMustBePositiveInt=Context must be a valid number of lines ( >= 0 )
GitCreatePatchWizard_CreatePatchTitle=Create Patch
GitCreatePatchWizard_File=Fil&e
GitCreatePatchWizard_Format=Format
GitCreatePatchWizard_InternalError=An internal error occurred.
GitCreatePatchWizard_SelectLocationDescription=Select the location for the patch.
GitCreatePatchWizard_SelectLocationTitle=Create a Patch
GitCreatePatchWizard_SelectOptionsDescription=Select options for patch creation
GitCreatePatchWizard_SelectOptionsTitle=Select Options
GitCreatePatchWizard_FilesystemError=Please select a location in the file system by browsing.
GitCreatePatchWizard_FilesystemInvalidError=Please enter a valid location.
GitCreatePatchWizard_FilesystemDirectoryError=Please enter a file name.
GitCreatePatchWizard_FilesystemDirectoryNotExistsError=The specified directory does not exist.
GitCreatePatchWizard_LinesOfContext=Lines of &context:
GitCreatePatchWizard_ReadOnlyTitle=Read-only file
GitCreatePatchWizard_ReadOnlyMsg=The specified file is read-only and cannot be overwritten.
GitCreatePatchWizard_OverwriteTitle=Confirm Overwrite
GitCreatePatchWizard_OverwriteMsg=A file with that name already exists. Overwrite?
GitCreatePatchWizard_Workspace=&Workspace
GitCreatePatchWizard_WorkspacePatchDialogTitle=Set a Patch Location
GitCreatePatchWizard_WorkspacePatchDialogDescription=Select a folder in the workspace and enter a name for the patch.
GitCreatePatchWizard_WorkspacePatchDialogEnterFileName=Please enter a file name.
GitCreatePatchWizard_WorkspacePatchDialogEnterValidLocation=Please enter a valid location.
GitCreatePatchWizard_WorkspacePatchDialogFileName=Fi&le name:
GitCreatePatchWizard_WorkspacePatchDialogSavePatch=Save Patch
GitCreatePatchWizard_WorkspacePatchEnterValidFileName=Please enter a valid filename.
GitCreatePatchWizard_WorkspacePatchFolderExists=The specified path points to an existing folder.
GitCreatePatchWizard_WorkspacePatchProjectClosed=The specified path points to a closed project.
GitCreatePatchWizard_WorkspacePatchSelectByBrowsing=Please select a location in the workspace by browsing.
GitCreateProjectViaWizardWizard_AbortedMessage=Action was aborted
GitCreateProjectViaWizardWizard_WizardTitle=Import Projects from Git Repository {0}
GitImportWithDirectoriesPage_PageMessage=Depending on the wizard, you may select a directory to determine the wizard's scope
GitImportWithDirectoriesPage_PageTitle=Select a wizard to use for importing projects
GitImportWithDirectoriesPage_SelectFolderMessage=Please select a folder
GitImportWizard_errorParsingURI=The URI of the repository to be cloned can't be parsed
GitImportWizard_noRepositoryInfo=The repository info could not be created
GitImportWizard_WizardTitle=Import Projects from Git
GitScopeOperation_GitScopeManager=Git Scope Manager
GitSelectRepositoryPage_AddButton=&Add...
GitSelectRepositoryPage_AddTooltip=Add a Git repository from the local file system
GitSelectRepositoryPage_NoRepoFoundMessage=No repositories found, please clone or add a repository
GitSelectRepositoryPage_PageMessage=You can also clone a repository or add local repositories to the list
GitSelectRepositoryPage_BareRepositoriesHidden=Bare repositories are not shown.
GitSelectRepositoryPage_PageTitle=Select a Git Repository
GitSelectRepositoryPage_PleaseSelectMessage=Please select a repository from the list
GitSelectWizardPage_ImportAsGeneralButton=Import as &general project
GitSelectWizardPage_ImportExistingButton=Import &existing Eclipse projects
GitSelectWizardPage_ProjectCreationHeader=Wizard for project import
GitSelectWizardPage_Selected=({0} selected)
GitSelectWizardPage_UseNewProjectsWizardButton=Import using the New &Project wizard
ConfigurationChecker_checkConfiguration=Check Configuration
ConfigurationChecker_homeNotSet=\
Warning: The environment variable HOME is not set. The following directory will be used to store the Git\n\
user global configuration and to define the default location to store repositories: ''{0}''. If this is\n\
not correct please set the HOME environment variable and restart Eclipse. Otherwise Git for Windows and\n\
EGit might behave differently since they see different configuration options.\n\
This warning can be switched off on the Team > Git > Confirmations and Warnings preference page.
ConfigurationEditorComponent_ConfigLocationLabel=&Location:
ConfigurationEditorComponent_EmptyStringNotAllowed=Empty string is not allowed
ConfigurationEditorComponent_KeyColumnHeader=Key
ConfigurationEditorComponent_AddButton=Add &Entry...
ConfigurationEditorComponent_NoConfigLocationKnown=Unknown
ConfigurationEditorComponent_NoSectionSubsectionMessage=Neither a section nor subsection
ConfigurationEditorComponent_OpenEditorButton=&Open
ConfigurationEditorComponent_OpenEditorTooltip=Open a text editor for this configuration
ConfigurationEditorComponent_ReadOnlyLocationFormat={0} (non-writable)
ConfigurationEditorComponent_RemoveButton=&Remove
ConfigurationEditorComponent_RemoveTooltip=Removes the selected entry or all entries in the selected section or subsection
ConfigurationEditorComponent_RemoveSectionMessage=All entries in section ''{0}'' will be removed.\n\nDo you want to continue?
ConfigurationEditorComponent_RemoveSectionTitle=Remove Section
ConfigurationEditorComponent_RemoveSubsectionMessage=All entries in subsection ''{0}'' will be removed.\n\nDo you want to continue?
ConfigurationEditorComponent_RemoveSubsectionTitle=Remove Subsection
ConfigurationEditorComponent_ValueColumnHeader=Value
ConfigurationEditorComponent_WrongNumberOfTokensMessage=Wrong number of tokens
ConfigureGerritWizard_title=Gerrit Configuration
ContinueRebaseCommand_CancelDialogMessage=The continue operation was canceled
ContinueRebaseCommand_JobName=Continuing Rebase
MixedResetToRevisionAction_mixedReset=Mixed Reset

GlobalConfigurationPreferencePage_systemSettingTabTitle=&System Settings
GlobalConfigurationPreferencePage_userSettingTabTitle=&User Settings
GlobalConfigurationPreferencePage_repositorySettingTabTitle=Repository Sett&ings
GlobalConfigurationPreferencePage_repositorySettingRepositoryLabel=Reposi&tory:
GlobalConfigurationPreferencePage_repositorySettingNoRepositories=No repositories configured

UIIcons_errorDeterminingIconBase=Can't determine icon base.
UIIcons_errorLoadingPluginImage=Can't load plugin image.
UIUtils_CollapseAll=Collapse All
UIUtils_ExpandAll=Expand All
UIUtils_PressShortcutMessage=Press {0} or begin typing to see a filtered list of previously used values (use "*" as wildcard)
UIUtils_StartTypingForPreviousValuesMessage=Start typing to see a filtered list of previously used values (use "*" as wildcard)
UIUtils_PressShortcutForRemoteRefMessage=Press {0} or begin typing to see a filtered list of available refs
UIUtils_StartTypingForRemoteRefMessage=Start typing to see a filtered list of available refs
UIUtils_ShowInMenuLabel=Sho&w In
UnmergedBranchDialog_Message=Not all commits of these branches have been merged into the currently checked out branch.\n\nDo you still want to delete these branches?
UnmergedBranchDialog_Title=Confirm Branch Deletion
Untrack_untrack=Untrack
UpstreamConfigComponent_ConfigureUpstreamCheck=Configure &upstream for push and pull
UpstreamConfigComponent_ConfigureUpstreamToolTip=This will connect the local branch with its remote branch for pushing and pulling.
BranchRebaseModeCombo_RebaseModeLabel=When pulling:

TagAction_cannotCheckout=Cannot check out now
TagAction_cannotGetBranchName=Cannot get actual branch name
TagAction_repositoryState=Cannot check out repository because it is in state: {0}
TagAction_errorWhileGettingRevCommits=An error occurred while getting list of commits.
TagAction_unableToResolveHeadObjectId=Unable to resolve object id associated with current HEAD.
TagAction_creating=Creating {0} tag.
TagAction_taggingFailed=Tagging failed

CreateTagDialog_tagName=Tag &name*:
CreateTagDialog_tagMessage=Tag &message*:
CreateTagDialog_questionNewTagTitle=Create New Tag on Branch ''{0}''
CreateTagDialog_overwriteTag=Force &replace existing tag
CreateTagDialog_overwriteTagToolTip=Select this option if you want to change message or commit associated with already existing tag.
CreateTagDialog_existingTags=&Existing tags:
CreateTagDialog_advanced=&Advanced
CreateTagDialog_advancedToolTip=In the advanced section you may choose the commit to be tagged.
CreateTagDialog_advancedMessage=Choose commit that should be associated with this tag.
CreateTagDialog_tagNameToolTip=Start typing tag name to filter list of existing tags.
CreateTagDialog_clearButton=C&lear
CreateTagDialog_clearButtonTooltip=Clear all dialog fields.
CreateTagDialog_CreateTagAndStartPushButton=Create Tag and Start &Push...
CreateTagDialog_CreateTagAndStartPushToolTip=Create the tag and then start the wizard to push it to a remote.
CreateTagDialog_CreateTagButton=Create &Tag
CreateTagDialog_CreateTagOnCommitTitle=Create a New Tag on Commit {0}
CreateTagDialog_ExceptionRetrievingTagsMessage=Exception while retrieving existing tags
CreateTagDialog_GetTagJobName=Get existing tags for the Create Tag Dialog
CreateTagDialog_LightweightTagMessage=This is a lightweight tag which cannot be edited
CreateTagDialog_LoadingMessageText=Loading...
CreateTagDialog_Message=Create a new tag or replace an existing one
CreateTagDialog_NewTag=Create New Tag

CommitCombo_showSuggestedCommits=Start typing SHA-1 of existing commit or part of first line in commit message to see suggested commits.

CommitActionHandler_calculatingChanges=Calculating changes in selected repositories
CommitActionHandler_errorBuildingScope=Error occurred while building scope for committing changes
CommitActionHandler_lookingForChanges=Looking for uncommitted changes
CommitActionHandler_repository=Repository: {0}
CommitEditor_couldNotShowRepository=Could not show repository
CommitEditor_couldNotFindStashCommit=Could not find stash commit
CommitEditor_couldNotGetStashIndex=Could not get stash index for commit ''{0}''
CommitEditor_showGitRepo=Show Git repository
CommitEditor_TitleHeaderCommit=Commit {0}
CommitEditor_TitleHeaderStashedCommit=Stashed Commit {0}
CommitEditorInput_Name={0} [{1}]
CommitEditorInput_ToolTip=''{0}'' - Commit in repository {1}
CommitEditorPage_JobName=Loading commit ''{0}''
CommitEditorPage_SectionBranchesEmpty=Branches
CommitEditorPage_LabelAuthor={0} <{1}> on {2}
CommitEditorPage_LabelAuthorRelative={0} <{1}>, {2}
CommitEditorPage_LabelCommitter={0} <{1}> on {2}
CommitEditorPage_LabelCommitterRelative={0} <{1}>, {2}
CommitEditorPage_LabelParent=Parent:
CommitEditorPage_LabelTags=Tags:
CommitEditorPage_SectionBranches=Branches ({0})
CommitEditorPage_SectionFiles=Files ({0})
CommitEditorPage_SectionFilesEmpty=Files
CommitEditorPage_SectionMessage=Message
CommitEditorPage_Title=Commit
CommitEditorPage_TooltipAuthor=Author
CommitEditorPage_TooltipCommitter=Committer
CommitEditorPage_TooltipSignedOffByAuthor=Signed off by author
CommitEditorPage_TooltipSignedOffByCommitter=Signed off by committer
StashEditorPage_UnstagedChanges=Unstaged Changes ({0})
StashEditorPage_StagedChanges=Staged Changes ({0})
StashEditorPage_LabelParent0=HEAD:
StashEditorPage_LabelParent1=Index:
StashEditorPage_LabelParent2=Untracked:

MultiPageEditorContentOutlinePage_NoOutline=An outline is not available.

Header_contextMenu_copy=&Copy
Header_contextMenu_copy_SHA1=Copy &SHA-1
Header_copy_SHA1_error_title= Problem Copying SHA-1 to Clipboard
Header_copy_SHA1_error_message= There was a problem when accessing the system clipboard. Retry?

MergeHandler_SelectBranchMessage=There is more than one ref for this commit. Please select the ref you want to merge.
MergeHandler_SelectBranchTitle=Select a Ref for Merge
MultiPullResultDialog_DetailsButton=&Details
MultiPullResultDialog_FetchStatusColumnHeader=Fetch Status
MultiPullResultDialog_MergeResultMessage=Merge result: {0}
MultiPullResultDialog_NothingFetchedStatus=Nothing fetched
MultiPullResultDialog_NothingUpdatedStatus=Nothing updated
MultiPullResultDialog_OkStatus=OK
MultiPullResultDialog_FailedStatus=Failed
MultiPullResultDialog_OverallStatusColumnHeader=Overall Status
MultiPullResultDialog_RebaseResultMessage=Rebase result: {0}
MultiPullResultDialog_RepositoryColumnHeader=Repository
MultiPullResultDialog_UnknownStatus=Unknown
MultiPullResultDialog_UpdatedMessage={0} refs were updated
MultiPullResultDialog_UpdatedOneMessage=1 ref was updated
MultiPullResultDialog_UpdateStatusColumnHeader=Update Status
MultiPullResultDialog_WindowTitle=Pull Result for Multiple Repositories

CommitFileDiffViewer_CanNotOpenCompareEditorTitle=Cannot Open Compare Editor
CommitFileDiffViewer_CompareMenuLabel=Compare with Previous &Version
CommitFileDiffViewer_CompareWorkingDirectoryMenuLabel=Compare with &Working Tree
CommitFileDiffViewer_MergeCommitMultiAncestorMessage=This is a merge commit with more than one ancestor
CommitFileDiffViewer_OpenInEditorMenuLabel=Open &This Version
CommitFileDiffViewer_OpenPreviousInEditorMenuLabel=Open &Previous Version
CommitFileDiffViewer_OpenWorkingTreeVersionInEditorMenuLabel=&Open Working Tree Version
StagingView_CompareWithIndexMenuLabel=Compare with Index
CommitFileDiffViewer_ShowAnnotationsMenuLabel=&Show Revision Information
CommitFileDiffViewer_ShowInHistoryLabel=Focus On This File
DiffViewer_FileDoesNotExist=File {0} does not exist in the workspace
DiffViewer_OpenComparisonLinkLabel=Open Side-by-Side Comparison
DiffViewer_OpenWorkingTreeLinkLabel=Open Working Tree Version
DiffViewer_OpenInEditorLinkLabel=Open This Version
DiffViewer_OpenPreviousLinkLabel=Open Previous Version
DiffViewer_notContainedInCommit=File {0} is not contained in commit {1}
CommitGraphTable_CommitId=Id
CommitGraphTable_Committer=Committer
CommitGraphTable_committerDataColumn=Committed Date
CommitGraphTable_CompareWithEachOtherInTreeMenuLabel=Compare with Each Other in &Tree
CommitGraphTable_DeleteBranchAction=&Delete Branch
CommitGraphTable_DeleteTagAction=De&lete Tag...
CommitGraphTable_HoverAdditionalTags=Additional tags:
CommitGraphTable_messageColumn=Message
CommitGraphTable_OpenCommitLabel=Open in Commit &Viewer
CommitGraphTable_RenameBranchMenuLabel=Re&name Branch...
CommitGraphTable_UnableToCreatePatch=Unable to create patch for {0}
CommitGraphTable_UnableToWritePatch=Unable to write temporary patch for {0}
CommitHelper_couldNotFindMergeMsg=Inconsistent merge state: could not find file {0} in .git folder. This file contains the commit message for a merge commit.
CommitJob_AbortedByHook=Commit was aborted by hook
CommitResultLabelProvider_SectionAuthor=\ ({0} on {1})
CommitResultLabelProvider_SectionMessage={0}: {1}
CommitResultLabelProvider_SectionRepository=\ [{0}]
CommitSearchPage_Author=&Author
CommitSearchPage_CaseSensitive=&Case sensitive
CommitSearchPage_CheckAll=Check all
CommitSearchPage_CommitId=Comm&it id
CommitSearchPage_Committer=C&ommitter
CommitSearchPage_ContainingText=Containing &text:
CommitSearchPage_ContainingTextHint=(* = any string, ? = any character, \\ = escape for literals: * ? \\)
CommitSearchPage_Message=&Message
CommitSearchPage_ParentIds=&Parent id(s)
CommitSearchPage_RegularExpression=Regular e&xpression
CommitSearchPage_Repositories=Repositories ({0}/{1})
CommitSearchPage_Scope=Scope
CommitSearchPage_SearchAllBranches=Search all &branches of selected repositories
CommitSearchPage_TreeId=T&ree id
CommitSearchPage_UncheckAll=Uncheck all
CommitSearchQuery_Label=Git Commit Search
CommitSearchQuery_TaskSearchCommits=Searching commits in {0}
CommitSearchResult_LabelPlural=''{0}'' - {1} commit matches
CommitSearchResult_LabelSingle=''{0}'' - 1 commit match
CommitSelectDialog_AuthoColumn=Author
CommitSelectDialog_DateColumn=Date
CommitSelectDialog_IdColumn=Id
CommitSelectDialog_Message=Please select a Commit
CommitSelectDialog_MessageColumn=Message
CommitSelectDialog_Title=Commit Selection
CommitSelectDialog_WindowTitle=Commit Selection
CommitSelectionDialog_BuildingCommitListMessage=Building commit list
CommitSelectionDialog_DialogMessage=Please select a commit from the list
CommitSelectionDialog_DialogTitle={0} commits in repository {1}
CommitSelectionDialog_FoundCommitsMessage=Found {0} commits
CommitSelectionDialog_IncompleteListMessage=The commit list may be incomplete
CommitSelectionDialog_LinkSearch=<a>Search repositories for commits...</a>
CommitSelectionDialog_Message=&Enter branch, tag, or commit SHA-1:
CommitSelectionDialog_SectionMessage=: {0}
CommitSelectionDialog_SectionRepo=\ [{0}]
CommitSelectionDialog_TaskSearching=Searching commits
CommitSelectionDialog_Title=Open Git Commit
CommitSelectionDialog_WindowTitle=Select a Commit
CommitUI_commitFailed=Commit failed
CommitUI_pushFailedMessage=Could not push {0} to {1}: {2}

GitSynchronizeWizard_synchronize=Synchronize
GitChangeSetModelProviderLabel=Git Commits

GitBranchSynchronizeWizardPage_title=Synchronize Git
GitBranchSynchronizeWizardPage_description=Select destination for repositories to be synchronized.
GitBranchSynchronizeWizardPage_repository=Repository
GitBranchSynchronizeWizardPage_destination=Destination
GitBranchSynchronizeWizardPage_includeUncommitedChanges=Include local &uncommitted changes in comparison
GitBranchSynchronizeWizardPage_fetchChangesFromRemote=Fetch changes from remote

GitTraceConfigurationDialog_ApplyButton=&Apply
GitTraceConfigurationDialog_DefaultButton=&Default
GitTraceConfigurationDialog_DialogTitle=Maintain the Git Trace Configuration
GitTraceConfigurationDialog_LocationHeader=Location
GitTraceConfigurationDialog_MainSwitchNodeText=Main switch for plug-in {0}
GitTraceConfigurationDialog_OpenInEditorButton=Open in &Editor
GitTraceConfigurationDialog_PlatformSwitchCheckbox=Enable &Platform Trace
GitTraceConfigurationDialog_PlatformTraceDisabledMessage=Platform Trace is currently disabled, please enable it in order to edit the trace configuration
GitTraceConfigurationDialog_ShellTitle=Git Trace Configuration
GitTraceConfigurationDialog_TraceFileLocationLabel=Trace File &Location:

ImportProjectsWrongSelection = Wrong selection
ImportProjectsSelectionInRepositoryRequired = A folder selection in the Repository View is required
ImportChangedProjectsCommand_ImportingChangedProjects=Importing Changed Projects
InteractiveRebaseView_abortItem_text= Abort
InteractiveRebaseView_continueItem_text= Continue
InteractiveRebaseView_LinkSelection=Link with Editor and Selection
InteractiveRebaseView_refreshItem_text= Refresh
InteractiveRebaseView_skipItem_text= Skip
InteractiveRebaseView_startItem_text= Start
InteractiveRebaseView_this_partName= Rebase Interactive

LocalFileRevision_CurrentVersion=*({0})
LocalFileRevision_currentVersionTag=<current version>
LocalNonWorkspaceTypedElement_errorWritingContents=Error writing contents for local non-workspace element.
LoginDialog_changeCredentials=Change stored credentials
LoginDialog_login=Login
LoginDialog_password=Password
LoginDialog_repository=Repository
LoginDialog_storeInSecureStore=Store in Secure Store
LoginDialog_user=User
NewRemoteDialog_ConfigurationMessage=You need to configure the new remote for either fetch or push; you can add configuration for the other direction later
NewRemoteDialog_DialogTitle=Please enter a name for the new remote
NewRemoteDialog_FetchRadio=Configure &fetch
NewRemoteDialog_InvalidRemoteName=Invalid remote name ''{0}''
NewRemoteDialog_NameLabel=Remote &name:
NewRemoteDialog_PushRadio=Configure &push
NewRemoteDialog_RemoteAlreadyExistsMessage=Remote {0} already exists
NewRemoteDialog_WindowTitle=New Remote
NewRepositoryWizard_WizardTitle=Create a Git Repository
NonDeletedFilesDialog_NonDeletedFilesMessage=The files below could not be deleted, \nperhaps because of some temporary file locks\nor because a directory represents a submodule
NonDeletedFilesDialog_NonDeletedFilesTitle=Not deleted Files
NonDeletedFilesDialog_RetryDeleteButton=&Retry delete
NonDeletedFilesTree_FileSystemPathsButton=Show file &system paths
NonDeletedFilesTree_RepoRelativePathsButton=Show &repository relative paths
NonDeletedFilesTree_ResourcePathsButton=Show resource &paths
NoteDetailsPage_ContentSection=Note Content
NotesBlock_NotesSection=Notes ({0})
NotesEditorPage_Title=Notes

RemoteConnectionPreferencePage_TimeoutLabel=&Remote connection timeout (seconds):
RemoteConnectionPreferencePage_ZeroValueTooltip=0 is equivalent to no timeout
RemoveCommand_ConfirmDeleteBareRepositoryMessage=This will permanently delete repository ''{0}''.\n\nDo you want to continue?
RemoveCommand_ConfirmDeleteBareRepositoryTitle=Delete Bare Repository
RemoveCommand_RemoveRepositoriesJob=Remove Repositories
RemoveOrDeleteRepositoryCommand_DeleteRepositoryButton=Delete Repository...
RemoveOrDeleteRepositoryCommand_DialogMessage=Do you want to remove the repository ''{0}'' from the view or delete it?
RemoveOrDeleteRepositoryCommand_DialogTitle=Delete Repository
RemoveOrDeleteRepositoryCommand_RemoveFromViewButton=Remove from View
RenameBranchDialog_DialogMessage=Select a branch to rename
RenameBranchDialog_DialogTitle=Rename a Branch
RenameBranchDialog_RenameButtonLabel=&Rename
RenameBranchDialog_WindowTitle=Branch Rename
RenameBranchOnCommitHandler_SelectBranchDialogMessage=Please select the branch you want to rename
RenameBranchOnCommitHandler_SelectBranchDialogTitle=Rename Branch
RevertFailureDialog_Message=Reverting commit ''{0}'' did not successfully complete.\n\nThe following files could not be reverted:
RevertFailureDialog_MessageNoFiles=Reverting commit ''{0}'' did not successfully complete.
RevertFailureDialog_ReasonChangesInIndex=Local Changes in Index
RevertFailureDialog_ReasonChangesInWorkingDirectory=Local Changes in Working Tree
RevertFailureDialog_ReasonDeleteFailure=Unable to Delete
RevertFailureDialog_Title=Revert Failed
RevertHandler_AlreadyRevertedMessage=The change has already been reverted
RevertHandler_CommitsNotOnCurrentBranch=The selected commits cannot be reverted because they are not on the currently checked-out branch.
RevertHandler_Error_Title=Error Reverting Commits
RevertHandler_ErrorCheckingIfCommitsAreOnCurrentBranch=Error checking if commits are on current branch
RevertHandler_JobName=Reverting {0} Commits
RevertHandler_NoRevertTitle=No revert performed
RevertOperation_InternalError=An internal error occurred

SelectUriWizard_Title=Select a URI
AbstractConfigureRemoteDialog_AddRefSpecLabel=A&dd...
AbstractConfigureRemoteDialog_BranchLabel=Branch:
AbstractConfigureRemoteDialog_ChangeRefSpecLabel=M&odify...
AbstractConfigureRemoteDialog_ChangeUriLabel=&Change...
AbstractConfigureRemoteDialog_DeleteUriLabel=Re&move
AbstractConfigureRemoteDialog_DetachedHeadMessage=Detached HEAD
AbstractConfigureRemoteDialog_DryRunButton=Dr&y-Run
AbstractConfigureRemoteDialog_EditAdvancedLabel=Ad&vanced...
AbstractConfigureRemoteDialog_EmptyClipboardDialogMessage=The clipboard is empty
AbstractConfigureRemoteDialog_EmptyClipboardDialogTitle=Nothing to Paste
AbstractConfigureRemoteDialog_InvalidRefDialogMessage=Refspec {0} does not appear to be valid, do you still want to add it?
AbstractConfigureRemoteDialog_InvalidRefDialogTitle=Invalid Ref
AbstractConfigureRemoteDialog_MissingUriMessage=Please provide at least one URI
AbstractConfigureRemoteDialog_NoRefSpecDialogMessage=The contents of the clipboard does not appear to be a refspec
AbstractConfigureRemoteDialog_NoRefSpecDialogTitle=Not a Refspec
AbstractConfigureRemoteDialog_PasteRefSpecButton=&Paste
AbstractConfigureRemoteDialog_RefMappingGroup=Ref mappings
AbstractConfigureRemoteDialog_ReusedRemoteWarning=Note that remote ''{0}'' is used from {1} other branches (see tooltip for a list)
AbstractConfigureRemoteDialog_RevertButton=Re&vert
AbstractConfigureRemoteDialog_SaveButton=Save
AbstractConfigureRemoteDialog_UriLabel=&URI:

SimpleConfigureFetchDialog_DialogMessage=In order to use a remote for fetch, you must specify a URI and at least one ref mapping
SimpleConfigureFetchDialog_DialogTitle=Configure fetch for remote ''{0}''
SimpleConfigureFetchDialog_MissingMappingMessage=Please provide a ref mapping
SimpleConfigureFetchDialog_SaveAndFetchButton=Save and Fetch
SimpleConfigureFetchDialog_WindowTitle=Configure Fetch

SimpleConfigurePushDialog_UseUriForPushUriMessage=No Push URIs, will use URI {0}
SimpleConfigurePushDialog_WindowTitle=Configure Push
SimpleConfigurePushDialog_AddPushUriButton=&Add...
SimpleConfigurePushDialog_ChangePushUriButton=C&hange...
SimpleConfigurePushDialog_DefaultPushNoRefspec=No Push Refspec, will push currently checked out branch instead.
SimpleConfigurePushDialog_DeletePushUriButton=De&lete
SimpleConfigurePushDialog_DialogMessage=In order to use a remote for push, you must specify at least one URI and at least one ref mapping
SimpleConfigurePushDialog_DialogTitle=Configure push for remote ''{0}''
SimpleConfigurePushDialog_PushUrisLabel=Push URIs
SimpleConfigurePushDialog_SaveAndPushButton=Save and Push

SkipRebaseCommand_CancelDialogMessage=The skip operation was canceled
SkipRebaseCommand_JobName=Skipping commit during Rebase

ValidationUtils_CanNotResolveRefMessage=Cannot resolve {0}
ValidationUtils_InvalidRefNameMessage={0} is not a valid name for a ref
ValidationUtils_InvalidRevision=Invalid revision {0}
ValidationUtils_RefAlreadyExistsMessage=Ref {0} already exists
ValidationUtils_RefNameConflictsWithExistingMessage=Name conflicts with existing refs: {0}
ValidationUtils_PleaseEnterNameMessage=Please enter a name

GitMergeEditorInput_CalculatingDiffTaskName=Calculating Differences
GitMergeEditorInput_CheckingResourcesTaskName=Checking resources
GitMergeEditorInput_MergeEditorTitle=Repository ''{0}'': Merging ''{1}'' into ''{2}''
GitMergeEditorInput_WorkspaceHeader=Workspace Version
GitModelIndex_index=<staged changes>

GitModelWorkingTree_workingTree=<working tree>

EgitUiEditorUtils_openFailed=Opening editor failed

SimpleFetchActionHandler_NothingToFetchDialogMessage=Cannot fetch anything: the currently checked-out branch is based on a local branch
SimpleFetchActionHandler_NothingToFetchDialogTitle=Nothing to Fetch
SimpleFetchRefSpecWizard_WizardTitle=Adding a Refspec for Fetch
SimplePushActionHandler_NothingToPushDialogMessage=Cannot push anything: the currently checked-out branch is based on a local branch
SimplePushActionHandler_NothingToPushDialogTitle=Nothing to Push
SquashHandler_CommitsNotOnCurrentBranch=The selected commits cannot be squashed because they are not on the currently checked-out branch.
SquashHandler_Error_Title=Error Squashing Commits
SquashHandler_ErrorCheckingIfCommitsAreOnCurrentBranch=Error checking if commits are on current branch
SquashHandler_InternalError=An internal error occurred
SquashHandler_JobName=Squashing {0} Commits
SwitchToMenu_NewBranchMenuLabel=&New Branch...
SwitchToMenu_OtherMenuLabel=&Other...
GitActionContributor_ExpandAll=Expand All
GitActionContributor_Push=Push
GitActionContributor_Pull=Pull
GitLabelProvider_RefDescriptionFetchHead=Reference to the newest commit that was fetched with the last fetch
GitLabelProvider_RefDescriptionHead=Reference to the checked out commit (no branch checked out)
GitLabelProvider_RefDescriptionHeadSymbolic=Reference to the checked out branch.\nWhen committing, this branch is updated to point to the new commit.
GitLabelProvider_RefDescriptionOrigHead=Points to the commit where HEAD was before a dangerous operation.\nCan be used for undoing the operation using reset.
GitLabelProvider_RefDescriptionStash=Last stashed changes
GitLabelProvider_UnableToRetrieveLabel=Unable to retrieve label for {0}
GitVariableResolver_InternalError=Internal error
GitVariableResolver_NoSelectedResource=No selected resource
GitVariableResolver_VariableReferencesNonExistentResource=Variable references non-existent resource : {0}
GitTemplateVariableResolver_GitConfigDescription=Retrieve a value from the Git configuration.<br><br>\
Examples:\
<br>${name:git_config(user.name)}\
<br>${email:git_config(user.email)}\
<br>\
<br>Variable name before colon can be any unique value,\
<br>git_config parameter in parentheses is mandatory and must be a valid configuration key.

OpenWorkingFileAction_text=&Open
OpenWorkingFileAction_tooltip=Open working file
OpenWorkingFileAction_openWorkingFileShellTitle=Problems Opening Working File

StagingView_UnstagedChanges=Unstaged Changes ({0})
StagingView_ShowFileNamesFirst=Show File Names First
StagingView_StagedChanges=Staged Changes ({0})
StagingView_CommitMessage=Commit Message
StagingView_Committer=Committer:
StagingView_Author=Author:
StagingView_Ammend_Previous_Commit=Amend (Edit Previous Commit)
StagingView_Add_Signed_Off_By=Add Signed-off-by
StagingView_Add_Change_ID=Add Change-Id
StagingView_cancelCommitAfterSaving=Do you want to cancel the commit, so you can first handle (e.g. stage) the newly saved files?
StagingView_Commit=&Commit
StagingView_CommitToolTip=Commit ({0})
StagingView_CommitAndPush=Commit and &Push...
StagingView_checkoutFailed=Checking out files failed
StagingView_commitFailed=Commit failed
StagingView_committingNotPossible=Committing is not possible
StagingView_headCommitChanged=\# WARNING: head commit changed in the meantime
StagingView_noStagedFiles=There are no staged files
StagingView_BareRepoSelection=Bare Repository Selected
StagingView_NoSelectionTitle=No Repository Selected
StagingView_CompareMode=Compare Mode
StagingView_OpenNewCommits=Open New Commits
StagingView_ColumnLayout=Column Layout
StagingView_RebaseAbort=Abort
StagingView_RebaseContinue=Continue
StagingView_RebaseLabel=Rebase
StagingView_RebaseSkip=Skip Commit
StagingView_Refresh=Refresh
StagingView_GetRepo=Updating Repository Information
StagingView_ReplaceWith=Rep&lace With
StagingView_LinkSelection=Link with Editor and Selection
StagingView_replaceWithFileInGitIndex=Replace with &Index
StagingView_replaceWithHeadRevision=Replace with &HEAD Revision
StagingView_UnstageItemMenuLabel=&Remove from Index
StagingView_UnstagedSort=Sort by state
StagingView_StageItemMenuLabel=&Add to Index
StagingView_IgnoreItemMenuLabel=&Ignore
StagingView_IgnoreFolderMenuLabel=Ignore &Folder
StagingView_DeleteItemMenuLabel=&Delete
StagingView_Presentation=Presentation
StagingView_List=List
StagingView_Tree=Tree
StagingView_CompactTree=Compact Tree
StagingView_Find=Filter files
StagingView_MergeTool=Merge Tool
StagingView_AddJob=Adding files to index...
StagingView_RemoveJob=Removing files from index...
StagingView_ResetJob=Unstaging files...
StagingView_MessageErrors=Fix warnings/errors before you commit changes or explicitly ignore them

StagingView_IgnoreErrors=Ignore warnings and errors
StashApplyCommand_applyFailed=Applying stashed commit ''{0}'' failed due to ''{1}''
StashApplyCommand_jobTitle=Apply changes from stashed commit ''{0}''
StashCreateCommand_includeUntrackedLabel=Include untracked files
StashCreateCommand_jobTitle=Stashing local changes
StashCreateCommand_messageEnterCommitMessage=Enter stash commit message (optional):
StashCreateCommand_messageNoChanges=The repository does not contain any local changes to stash.
StashCreateCommand_stashFailed=Stash create error
StashCreateCommand_titleEnterCommitMessage=Commit Stash
StashCreateCommand_titleNoChanges=No Changes
StashDropCommand_confirmMultiple=Are you sure you want to delete the {0} selected stashed commits?
StashDropCommand_confirmSingle=Are you sure you want to delete stashed commit stash@'{'{0}'}'?
StashDropCommand_confirmTitle=Confirm Stashed Commit Deletion
StashDropCommand_dropFailed=Dropping stashed commit ''{0}'' failed
StashDropCommand_stashCommitNotFound=No stash commit found with id ''{0}''
StashDropCommand_jobTitle=Dropping stashed commit
StashesMenu_StashChangesActionText=&Stash Changes...
StashesMenu_StashListError=Error listing stashes of repository {0}
StashesMenu_NoStashedChangesText=(no stashed changes)
StashesMenu_StashItemText={0}: {1}
SubmoduleAddCommand_AddError=Submodule add error
SubmoduleAddCommand_JobTitle=Creating submodule ''{0}'' from ''{1}''
SubmodulePathWizardPage_ErrorPathMustBeEmpty=Path must be an empty or non-existent directory
SubmodulePathWizardPage_Message=Enter relative path to submodule
SubmodulePathWizardPage_PathLabel=Submodule Path:
SubmodulePathWizardPage_Title=Submodule Path
SubmoduleSyncCommand_SyncError=Submodule configuration sync error
SubmoduleSyncCommand_Title=Synchronized submodule configuration
SubmoduleUpdateCommand_Title=Updating submodules
SubmoduleUpdateCommand_UpdateError=Submodule update error
SubmoduleUpdateCommand_UncommittedChanges=Cannot Update Submodule Repository ''{0}''

SynchronizeWithMenu_custom=&Custom...
SynchronizeFetchJob_JobName=Fetching changes before synchronization launch
SynchronizeFetchJob_TaskName=Fetching changes for synchronization
SynchronizeFetchJob_SubTaskName=Fetching changes from {0}
SynchronizeFetchJob_FetchFailedTitle=Fetch from {0} Failed
SynchronizeFetchJob_FetchFailedMessage=Fetch operation failed.\n\nSychronization will be continued based on data that are currently in repository.\n\nYou can disable fetching changes before synchronization in preferences:\nTeam > Git > {0}

GitModelSynchronize_fetchGitDataJobName=Fetching data from git

FetchChangeFromGerritCommand_noRepositorySelectedTitle=No Git project was selected
FetchChangeFromGerritCommand_noRepositorySelectedMessage=To be able to fetch changes from Gerrit you need to select a project which is shared with a Git repository and which is configured with Gerrit as a remote repository

RebasePulldownAction_Continue=&Continue
RebasePulldownAction_Skip=&Skip commit and continue
RebasePulldownAction_Abort=&Abort

SynchronizeCommand_jobName=Synchronizing {0} ...

CloneFailureDialog_tile=Transport Error
CloneFailureDialog_dontShowAgain=Don't show this dialog again
CloneFailureDialog_checkList=An error occurred when trying to contact {0}.\nSee the Error Log for more details\n\nPossible reasons:\nIncorrect URL\nNo network connection (e.g. wrong proxy settings)
CloneFailureDialog_checkList_git=\n.git is missing at end of repository URL
CloneFailureDialog_checkList_ssh=\nSSH is not configured correctly (see Eclipse preferences > Network Connections > SSH2)
CloneFailureDialog_checkList_https=\nSSL host could not be verified (set http.sslVerify=false in Git configuration)

GarbageCollectCommand_jobTitle=Collect garbage in {0}
GarbageCollectCommand_failed=Garbage collection in repository {0} failed

RepositoryStatistics_Description=Description
RepositoryStatistics_LooseObjects=Loose objects
RepositoryStatistics_NrOfObjects=Number of objects
RepositoryStatistics_NrOfPackfiles=Number of packfiles
RepositoryStatistics_NrOfRefs=Number of refs
RepositoryStatistics_SpaceNeededOnFilesystem=Space needed on filesystem
RepositoryStatistics_PackedObjects=Packed objects
RewordHandler_CommitNotOnCurrentBranch=The selected commit cannot be reworded because it is not on the currently checked-out branch.
RewordHandler_Error_Title=Error Rewording Commit
RewordHandler_ErrorCheckingIfCommitIsOnCurrentBranch=Error checking if commit is on current branch
RewordHandler_InternalError=An internal error occurred
RewordHandler_JobName=Rewording Commit {0}

EditHandler_CommitNotOnCurrentBranch=The selected commit cannot be edited because it is not on the currently checked-out branch.
EditHandler_Error_Title=Error Editing Commit
EditHandler_ErrorCheckingIfCommitIsOnCurrentBranch=Error checking if commit is on current branch
EditHandler_JobName=Editing Commit {0}
EditHandler_OpenStagingAndRebaseInteractiveViews=Open Staging and Interactive Rebase Views

GitModelSynchronizeParticipant_initialScopeName=Git
GitModelSynchronizeParticipant_noCachedSourceVariant=Could not locate cached source variant for resource: {0}

GitScmUrlImportWizardPage_title=Import Projects from Git
GitScmUrlImportWizardPage_description=Import Git projects corresponding to plug-ins and fragments in the file system.
GitScmUrlImportWizardPage_importMaster=Import from &master
GitScmUrlImportWizardPage_importVersion=Import the indicated &version
GitScmUrlImportWizardPage_counter=Total: {0}

BranchEditDialog_Title=Edit branches

CancelAfterSaveDialog_Title=Cancel Confirmation

PushMenu_PushHEAD=Push &HEAD...
PushMenu_PushBranch=Push &Branch ''{0}''...

DiffStyleRangeFormatter_diffTruncated=[...] diff truncated after {0} lines.

StagingViewPreferencePage_title=Staging View
StagingViewPreferencePage_maxLimitListMode=Switch to compact mode if files number exceeds:

Back to the top