Skip to main content
aboutsummaryrefslogtreecommitdiffstats
blob: e9c7cd0e413a34410b205d8c12efce50bf86d4c6 (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
###############################################################################
# Copyright (c) 2000, 2011 IBM Corporation and others.
# All rights reserved. This program and the accompanying materials
# are made available under the terms of the Eclipse Public License v1.0
# which accompanies this distribution, and is available at
# http://www.eclipse.org/legal/epl-v10.html
#
# Contributors:
#     IBM Corporation - initial API and implementation
#     Maik Schreiber - bug 102461
#     Philippe Ombredanne - bug 84808
###############################################################################
PasswordManagementPreferencePage_2=When you create a CVS repository location you have the option of saving the password to disk. This page allows you to manage the stored passwords. The following CVS repository locations have saved passwords:
PasswordManagementPreferencePage_3=Location
PasswordManagementPreferencePage_4=Username
PasswordManagementPreferencePage_5=&Remove
PasswordManagementPreferencePage_6=Remove A&ll
UserValidationDialog_5=CVS Repository:
UserValidationDialog_6=&Save password (could trigger secure storage login)
simpleInternal=Internal error
internal=An internal error has occurred, consult the error log for details.
yes=Yes
no=No
information=Server Information
cvs=CVS
notAvailable=Not Available
buildError=A build error occurred after the CVS operation completed.
ok=OK
separator=/

nameAndRevision={0} {1}
nameRevisionAndAuthor={0} {1} ({2})
currentRevision=*{0}

AddAction_addFailed=Error occurred during Add
AddAction_adding=Adding...
AddAction_addIgnoredTitle=Add Ignored Resource?
AddAction_addIgnoredQuestion=You have explicitly asked to version control one or more resources that otherwise would have been ignored. Continue?

AddToVersionControlDialog_title=Add to CVS Version Control
AddToVersionControlDialog_thereIsAnUnaddedResource=There is {0} resource that is not under CVS version control. Do you want to add it?
AddToVersionControlDialog_thereAreUnaddedResources=There are {0} resources that are not under CVS version control. Do you want to add them?

BranchWizard_title=Create a new CVS Branch
BranchWizardPage_pageDescription=Creates a new branch and a starting point version.
BranchWizardPage_pageDescriptionVersion=Creates a new branch based on the version in the workspace.
BranchWizardPage_specifyVersion=The version will provide a starting point for merging the branch back to the source branch.
BranchWizardPage_branchName=&Branch Name:
BranchWizardPage_versionName=&Version Name:
BranchWizardPage_startWorking=Start &working in the branch
BranchWizardPage_versionPrefix=Root_
BranchWizard_versionNameWarning=Version name: {0}
BranchWizard_branchNameWarning=Branch name: {0}
BranchWizard_branchAndVersionMustBeDifferent=The branch name and version name must be different.
BranchWizardPage_existingVersionsAndBranches=E&xisting Versions and Branches

ConsolePreferencePage_consoleColorSettings=Console text color settings:
ConsolePreferencePage_commandColor=&Command Line:
ConsolePreferencePage_messageColor=&Message:
ConsolePreferencePage_errorColor=E&rror:

CVSAction_errorTitle=Errors occurred
CVSAction_warningTitle=Warnings occurred
CVSAction_multipleProblemsMessage=Multiple problems occurred:
CVSAction_mixingTagsTitle=Confirm Mixing Tags
CVSAction_mixingTags=You are mixing tags within a project. Beware that synchronization uses the tag information associated with each resource to determine the remote resource with which the local resource is compared. \n\nThis means that the part(s) of your project that you are replacing with another tag will be synchronized with the tag ''{0}'' while other resources in the project will be synchronized with another tag. \n\nDo you wish to continue?

ShowAnnotationAction_noSyncInfo=Cannot display annotation for {0} because it does not have a remote revision.
ShowAnnotationOperation_taskName=Fetching annotations from repository
ShowAnnotationOperation_QDAnnotateTitle=Quick Diff Annotate
ShowAnnotationOperation_QDAnnotateMessage=Do you wish to view annotations using quick diff?
ShowAnnotationOperation_0=Error opening perspective
ShowAnnotationOperation_1=Confirm Open Perspective
ShowAnnotationOperation_2=The CVS Annotate View is associated with the {0} perspective. Do you want to open that perspective now?
ShowAnnotationOperation_3=The CVS Annotate View is associated with the {0} perspective.\n\n{1}\n\nDo you want to open that perspective now?
ShowAnnotationOperation_4=&Remember my decision
NewLocationWizard_1=Confirm Open Perspective
NewLocationWizard_2=CVS Repositories are associated with the {0} perspective. Do you want to open that perspective now?
NewLocationWizard_3=CVS Repositories are associated with the {0} perspective.\n\n{1}\n\nDo you want to open that perspective now?
NewLocationWizard_4=&Remember my decision


CVSCompareEditorInput_branchLabel=<branch-{0}>
CVSCompareEditorInput_headLabel=<HEAD>
CVSCompareEditorInput_comparing=Comparing...
CVSCompareEditorInput_different=Cannot compare resources of different kind.
CVSCompareEditorInput_inBranch={0} in {1}
CVSCompareEditorInput_inHead={0} in HEAD
CVSCompareEditorInput_0=File is new
CVSCompareEditorInput_1=File has been deleted
CVSCompareEditorInput_repository=Repository: {0} {1}
CVSCompareEditorInput_titleAncestor=Compare {0} {1}-{2} and {3}
CVSCompareEditorInput_titleNoAncestor=Compare {0} {1} and {2}
CVSCompareEditorInput_titleNoAncestorDifferent=Compare {0} {1} and {2} {3}

CVSCompareRevisionsInput_compareResourceAndVersions=Revisions of ''{0}''
CVSCompareRevisionsInput_repository=Repository file: {0}
CVSCompareRevisionsInput_workspace=Workspace file: {0}
CVSCompareRevisionsInput_truncate={0}[...]

CVSDecoratorPreferencesPage_0=Select the &variables to add to the decoration format:
CVSDecoratorPreferencesPage_1=Add Variables
CVSDecoratorPreferencesPage_2=O&utgoing changes
CVSDecoratorPreferencesPage_3=Re&mote resources
CVSDecoratorPreferencesPage_4=Added &resources
CVSDecoratorPreferencesPage_5=&New resources
CVSDecoratorPreferencesPage_6=I&con Decorations
CVSDecoratorPreferencesPage_7=File &Decoration:
CVSDecoratorPreferencesPage_8=Add &Variables...
CVSDecoratorPreferencesPage_9=F&older Decoration:
CVSDecoratorPreferencesPage_10=Add Varia&bles...
CVSDecoratorPreferencesPage_11=&Project Decoration:
CVSDecoratorPreferencesPage_12=Add Variable&s...
CVSDecoratorPreferencesPage_13=Ou&tgoing Change flag:
CVSDecoratorPreferencesPage_14=Added f&lag:
CVSDecoratorPreferencesPage_15=Te&xt Decorations
CVSDecoratorPreferencesPage_16=C&ompute deep outgoing state for folders
CVSDecoratorPreferencesPage_17=Disabling this will improve decorator performance.
CVSDecoratorPreferencesPage_18=Enable &font and color decorations
CVSDecoratorPreferencesPage_19=org.eclipse.ui.preferencePages.ColorsAndFonts
CVSDecoratorPreferencesPage_20=See <a>''{0}''</a> to configure the font and color decorations.
CVSDecoratorPreferencesPage_21=&General
CVSDecoratorPreferencesPage_22=name of the resource being decorated
CVSDecoratorPreferencesPage_23=the tag applied to the resource
CVSDecoratorPreferencesPage_24=keyword substitution rule for the resource
CVSDecoratorPreferencesPage_25=last revision loaded into workspace
CVSDecoratorPreferencesPage_26=flag indicating that the file has outgoing changes
CVSDecoratorPreferencesPage_27=flag indicating that the file has been added to the server
CVSDecoratorPreferencesPage_28=name of the resource being decorated
CVSDecoratorPreferencesPage_29=the tag applied to the resource (version, branch, or date). If it is HEAD the variable will be omitted.
CVSDecoratorPreferencesPage_30=the repository location's hostname
CVSDecoratorPreferencesPage_31=the connection method (e.g. pserver, ssh)
CVSDecoratorPreferencesPage_32=user name for the connection
CVSDecoratorPreferencesPage_33=repository home directory on server
CVSDecoratorPreferencesPage_34=root relative directory. It will be omitted if the value is the same as the project name.
CVSDecoratorPreferencesPage_35=flag indicating that the folder has a child resource with outgoing changes
CVSDecoratorPreferencesPage_36=org.eclipse.ui.preferencePages.Decorators
CVSDecoratorPreferencesPage_37=See <a>''{0}''</a> to enable CVS decorations.
CVSDecoratorPreferencesPage_38=the repository label
CVSDecoratorPreferencesPage_39=Previe&w:


CVSFilePropertiesPage_ignored=The file is ignored by CVS.
CVSFilePropertiesPage_notManaged=The file is not managed by CVS.
CVSFilePropertiesPage_isAdded=This file has been added to CVS control but has not been committed
CVSFilePropertiesPage_baseRevision=Base revision:
CVSFilePropertiesPage_baseTimestamp=Base timestamp:
CVSFilePropertiesPage_modified=Modified:
CVSFilePropertiesPage_keywordMode=Keyword mode:
CVSFilePropertiesPage_tag=Tag:
CVSFilePropertiesPage_none=HEAD
CVSFilePropertiesPage_version={0} (Version)
CVSFilePropertiesPage_branch={0} (Branch)
CVSFilePropertiesPage_date={0} (Date)
CVSFilePropertiesPage_error=An error occurred while creating this page.

CVSFolderPropertiesPage_ignored=The folder is ignored by CVS.
CVSFolderPropertiesPage_notManaged=The folder is not managed by CVS.
CVSFolderPropertiesPage_notCVSFolder=This folder has lost its CVS sharing information.
CVSFolderPropertiesPage_root=Repository root:
CVSFolderPropertiesPage_repository=Repository path:
CVSFolderPropertiesPage_static=Static:
CVSFolderPropertiesPage_disconnect=&Disconnect...
CVSFolderPropertiesPage_disconnectTitle=Disconnect folder?
CVSFolderPropertiesPage_disconnectQuestion=Disconnecting the folder from CVS control will delete the CVS synchronization information for the folder. Are you sure you want to disconnect?



CVSPropertiesPage_connectionType=&Connection type:
CVSPropertiesPage_user=&User:
CVSPropertiesPage_password=&Password:
CVSPropertiesPage_host=&Host:
CVSPropertiesPage_port=Port:
CVSPropertiesPage_path=Repository p&ath:
CVSPropertiesPage_module=Module:
CVSPropertiesPage_defaultPort=Default
CVSPropertiesPage_tag=Tag:
CVSPreferencesPage_0=0 (disabled)
CVSPreferencesPage_1=1
CVSPreferencesPage_2=2
CVSPreferencesPage_3=3
CVSPreferencesPage_4=4
CVSPreferencesPage_5=5
CVSPreferencesPage_6=6
CVSPreferencesPage_7=7
CVSPreferencesPage_8=8
CVSPreferencesPage_9=9 (highest compression)
CVSPreferencesPage_10=None
CVSPreferencesPage_11=Yes
CVSPreferencesPage_12=No
CVSPreferencesPage_13=Prompt
CVSPreferencesPage_14=&General
CVSPreferencesPage_15=&Validate server version compatibility on first connection
CVSPreferencesPage_16=Confirm &move tag on tag operation
CVSPreferencesPage_17=D&isplay detailed protocol output to stdout (for debugging purposes)
CVSPreferencesPage_18=Automatically r&efresh tags
CVSPreferencesPage_19=&Connection
CVSPreferencesPage_23=C&onnection timeout (s):
CVSPreferencesPage_24=Timeout must be positive
CVSPreferencesPage_25=The timeout must be a number
CVSPreferencesPage_26=&Quietness level:
CVSPreferencesPage_27=Verbose
CVSPreferencesPage_28=Somewhat quiet
CVSPreferencesPage_29=Very quiet
CVSPreferencesPage_20=Maximum &number of files displayed when committing:
CVSPreferencesPage_21=Maximum files displayed must be positive
CVSPreferencesPage_22=Maximum files displayed must be a number
CVSPreferencesPage_30='Very Quiet' mode is dangerous
CVSPreferencesPage_31=In 'Very Quiet' mode, some cvs servers may not communicate important information about errors that have occurred. You may want to consider using 'Somewhat quiet' mode instead.
CVSPreferencesPage_32=Compre&ssion:
CVSPreferencesPage_33=&Files and Folders
CVSPreferencesPage_34=&Treat all new files as binary
CVSPreferencesPage_35=Con&vert text files to use platform line ending
CVSPreferencesPage_36=P&rune empty directories
CVSPreferencesPage_37=D&elete unmanaged resources on replace
CVSPreferencesPage_38=Default te&xt mode:
CVSPreferencesPage_39=&Prompting
CVSPreferencesPage_40=A&llow empty commit comments
CVSPreferencesPage_41=A&utomatically save dirty editors before CVS operations
CVSPreferencesPage_42=&Open perspective after a 'Show Annotations' operation
CVSPreferencesPage_43=D&efault perspective for 'Show Annotations':
CVSPreferencesPage_44=Aut&omatically share projects containing CVS meta information
CVSPreferencesPage_45=Use .project &project name instead of module name on check out
CVSPreferencesPage_46=Consult change &sets when synchronizing or committing
CVSPreferencesPage_47=Maximum number of comments on &history:
CVSPreferencesPage_48=Maximum number of comments must be positive
CVSPreferencesPage_49=Maximum number of comments must be a number
CVSPreferencesPage_50=Commit resources with warnings
CVSPreferencesPage_51=Commit resources with errors
CVSPreferencesPage_52=org.eclipse.ui.net.NetPreferences
CVSPreferencesPage_53=See <a>''{0}''</a> to configure Proxy support.
CVSPreferencesPage_54=org.eclipse.jsch.ui.SSHPreferences
CVSPreferencesPage_55=See <a>''{0}''</a> to configure SSH support.
CVSPropertiesPage_virtualModule=<no corresponding remote folder>

CVSProxyPreferencePage_enableProxy=&Enable proxy connection
CVSProxyPreferencePage_proxyTpe=Proxy &type:
CVSProxyPreferencePage_proxyHost=Proxy host add&ress:
CVSProxyPreferencePage_proxyPort=Proxy host p&ort:
CVSProxyPreferencePage_enableProxyAuth=E&nable proxy authentication
CVSProxyPreferencePage_proxyUser=Proxy &user name:
CVSProxyPreferencePage_proxyPass=Proxy pa&ssword:
CVSProxyPreferencePage_proxyPortError=Port must be a number between 0 and 65535.

CVSRemoteFilePropertySource_name=Name
CVSRemoteFilePropertySource_revision=Revision
CVSRemoteFilePropertySource_date=Date
CVSRemoteFilePropertySource_author=Author
CVSRemoteFilePropertySource_comment=Comment

CVSRemoteFolderPropertySource_name=Name
CVSRemoteFolderPropertySource_tag=Tag
CVSRemoteFolderPropertySource_none=(none)

CVSRepositoryLocationPropertySource_default=Default
CVSRepositoryLocationPropertySource_host=Host
CVSRepositoryLocationPropertySource_user=User
CVSRepositoryLocationPropertySource_port=Port
CVSRepositoryLocationPropertySource_root=Repository path
CVSRepositoryLocationPropertySource_method=Connection method

CVSParticipant_0=Remote File {0} ({1})
CVSParticipant_1=Common Ancestor {0} ({1})
CVSParticipant_2=C&VS

CVSUIPlugin_refreshTitle=Refresh Resource?
CVSUIPlugin_refreshQuestion={0} Would you like to refresh resource ''{1}''?
CVSUIPlugin_refreshMultipleQuestion={0} Would you like to refresh the selected resources?

CVSAction_disabledTitle=Information
CVSAction_disabledMessage=The chosen operation is not enabled.
CVSAction_doNotShowThisAgain=Do not show this again
CVSAction_refreshTitle=Refresh Project?
CVSAction_refreshQuestion={0} Would you like to refresh project ''{1}''?
CVSAction_refreshMultipleQuestion={0} Would you like to refresh the projects of the selected resources?

CommitAction_commitFailed=Problems encountered performing commit
CommitWizardCommitPage_0=Commit
CommitWizardCommitPage_2=Enter a comment for the commit operation.
CommitWizardCommitPage_3=Please enter a commit comment.
CommitWizardCommitPage_4=Conflicting changes cannot be committed. Either exclude them from the commit or use the synchronize view to resolve the conflicts.
CommitWizardCommitPage_1=Hiding changes. The {0} changes exceeds the display threshold of {1}. It may take a long time to show this number of changes.
CommitWizardCommitPage_5=Show &Changes
CommitWizardFileTypePage_0=Add Resources
CommitWizardFileTypePage_2=Unknown new files detected.
CommitWizardFileTypePage_3=New files with the following unknown names or extensions have been detected in the workspace. Please specify whether these files should be stored as text or binary and whether this decision should be remembered.

ConfigureRepositoryLocationsWizard_title=Specify Repository Information
ConfigureRepositoryLocationsWizard_message=The project set only contains partial repository information. You may use the table below to specify the complete repository information for each repository in the project set or click OK to use the default repository location.
ConfigureRepositoryLocationsWizard_createLocation=&Create Location...
ConfigureRepositoryLocationsWizard_createLocationTooltip=Creates a new repository location
ConfigureRepositoryLocationsWizard_column0=Project set repository information
ConfigureRepositoryLocationsWizard_column1=Repository Location
ConfigureRepositoryLocationsWizard_showConnection=&Show connection method
ConfigureRepositoryLocationsWizard_showOnlyCompatible=S&how only compatible locations
ConfigureRepositoryLocationsWizardDialog_finish=&Create

CommitSyncAction_questionRelease=You have changes that conflict with the server. Release those changes?
CommitSyncAction_titleRelease=Confirm Overwrite
CommitSyncAction_releaseAll=Release all changes, overriding any conflicting changes on the server.
CommitSyncAction_releasePart=Only release the changes that don't conflict with changes on the server.
CommitSyncAction_cancelRelease=Cancel the release operation.


CompareWithRevisionAction_compare=Error Comparing with Revision
CompareWithRevisionAction_fetching=Fetching revisions from repository...

CompareWithTagAction_message=Compare With Branch or Version

CompareEditorInput_fileProgress=Comparing CVS file: {0}

ConfigurationWizardAutoconnectPage_description=Your project already has CVS/ directories. It was probably previously shared, or checked out using another tool. It will be automatically shared using the following information.
ConfigurationWizardAutoconnectPage_user=User:
ConfigurationWizardAutoconnectPage_host=Host:
ConfigurationWizardAutoconnectPage_port=Port:
ConfigurationWizardAutoconnectPage_default=Default
ConfigurationWizardAutoconnectPage_connectionType=Connection type:
ConfigurationWizardAutoconnectPage_repositoryPath=Repository path:
ConfigurationWizardAutoconnectPage_module=Module:
ConfigurationWizardAutoconnectPage_validate=&Validate connection on finish
ConfigurationWizardAutoconnectPage_noSyncInfo=Could not get folder information
ConfigurationWizardAutoconnectPage_noCVSDirectory=Could not find CVS/ directory

RepositorySelectionPage_description=This wizard will help you to share your files with the CVS repository for the first time. Your project will automatically be imported into the CVS repository, and the Commit wizard will open to allow you to commit your resources.
RepositorySelectionPage_useExisting=&Use existing repository location:
RepositorySelectionPage_useNew=&Create a new repository location

ConfigurationWizardMainPage_connection=&Connection type:
ConfigurationWizardMainPage_userName=&User:
ConfigurationWizardMainPage_password=&Password:
ConfigurationWizardMainPage_host=&Host:
ConfigurationWizardMainPage_0=Location already exists.
ConfigurationWizardMainPage_1=User Name Required
ConfigurationWizardMainPage_2=Host Required
ConfigurationWizardMainPage_3=Port Required
ConfigurationWizardMainPage_4=Repository Path Required
ConfigurationWizardMainPage_5=The host name must not start or end with a space
ConfigurationWizardMainPage_6=The user name must not start or end with a space
ConfigurationWizardMainPage_7=<a>Configure connection preferences...</a>
ConfigurationWizardMainPage_8=You can also paste a full repository location into this field (e.g. :pserver:anonymous@dev.eclipse.org:/cvsroot/eclipse)
ConfigurationWizardMainPage_9=org.eclipse.equinox.security.ui.storage
ConfigurationWizardMainPage_10=To manage your password, please see <a>''{0}''</a>
ConfigurationWizardMainPage_useDefaultPort=Use default p&ort
ConfigurationWizardMainPage_usePort=Use por&t:
ConfigurationWizardMainPage_repositoryPath=&Repository path:
ConfigurationWizardMainPage_invalidUserName=Invalid User Name
ConfigurationWizardMainPage_invalidHostName=Invalid Host Name
ConfigurationWizardMainPage_invalidPort=Invalid Port
ConfigurationWizardMainPage_invalidPathWithSpaces=The repository path cannot have segments with leading or trailing spaces
ConfigurationWizardMainPage_invalidPathWithSlashes=The repository path cannot contain a double slash (//)
ConfigurationWizardMainPage_invalidPathWithTrailingSlash=The repository path cannot end with a slash (/)
ConfigurationWizardMainPage_useNTFormat=Use NT path names for specifying CVSNT repository paths (e.g. C:\\cvs\\root)

Console_resultServerError={0} {1}
Console_resultException=failed due to an internal error {0}
Console_resultAborted=operation canceled {0}
Console_resultOk=ok {0}
Console_resultTimeFormat='(took 'm:ss.SSS')'
Console_couldNotFormatTime=An error occurred formatting the output time for the CVS console.
Console_preExecutionDelimiter=***
Console_postExecutionDelimiter=***
Console_info=Info: {0}
Console_warning=Warning: {0}
Console_error=Error: {0}

AddToBranchAction_enterTag=Enter Branch Tag
AddToBranchAction_enterTagLong=Enter the name of the branch:

GenerateCVSDiff_title=Create Patch
GenerateCVSDiff_pageTitle=Create a Patch Using the CVS Diff Command
GenerateCVSDiff_pageDescription=Specify the input and the location for the patch.
GenerateCVSDiff_overwriteTitle=Confirm Overwrite
GenerateCVSDiff_overwriteMsg=A file with that name already exists. Overwrite?
GenerateCVSDiff_error=Error running the CVS diff command
GenerateCVSDiff_working=Running CVS diff...
GenerateCVSDiff_noDiffsFoundMsg=No differences found.
GenerateCVSDiff_noDiffsFoundTitle=CVS diff
GenerateCVSDiff_1=Read-only file
GenerateCVSDiff_2=The specified file is read-only and cannot be overwritten.

HistoryFilterDialog_title = Filter Resource History
HistoryFilterDialog_showMatching = Show entries matching:
HistoryFilterDialog_matchingAny = a&ny of the provided criteria
HistoryFilterDialog_matchingAll = a&ll of the provided criteria
HistoryFilterDialog_author = &Author:
HistoryFilterDialog_comment = &Comment containing:
HistoryFilterDialog_fromDate = &From date:
HistoryFilterDialog_toDate = &To date:

HistoryView_getContentsAction=&Get Contents
HistoryView_getRevisionAction=Get Sticky &Revision
HistoryView_tagWithExistingAction=&Tag with Existing...
HistoryView_copy=&Copy
HistoryView_revision=Revision
HistoryView_tags=Tags
HistoryView_date=Date
HistoryView_author=Author
HistoryView_comment=Comment
HistoryView_refreshLabel=&Refresh View
HistoryView_refresh=Refresh View
HistoryView_linkWithLabel=Link with Editor
HistoryView_selectAll=Select &All
HistoryView_showComment=Show &Comment Pane
HistoryView_wrapComment=&Wrap Comments
HistoryView_showTags=Show &Tag Pane
HistoryView_overwriteTitle=Overwrite local changes?
HistoryView_overwriteMsg=You have local changes. Do you want to overwrite them?
HistoryView_fetchHistoryJob=Fetching CVS revision history
HistoryView_errorFetchingEntries=Error fetching entries for {0}

IgnoreAction_ignore=Error Ignoring Resource



MergeWizard_title=Merge
MergeWizard_0=Select the merge points
MergeWizard_1=Specify the branch or version to be merged and the common base version.
MergeWizardPage_0=Preview the merge in the &synchronize view
MergeWizardPage_1=Perform the merge into the &local workspace
MergeWizardPage_2=&Branch or version to be merged (end tag):
MergeWizardPage_3=Br&owse...
MergeWizardPage_4=Choose End Tag
MergeWizardPage_5=&Select end tag
MergeWizardPage_6=Common base &version (start tag):
MergeWizardPage_7=Bro&wse...
MergeWizardPage_8=Choose Start Tag
MergeWizardPage_9=&Select start tag
MergeWizardPage_10=The specified end tag is not known to exist. Either enter a different tag or refresh the known tags.
MergeWizardPage_11=The specified start tag is not known to exist. Either enter a different tag or refresh the known tags.
MergeWizardPage_12=The start and end tags cannot be the same.
MergeWizardPage_13=A start tag is required for previewing a merge in the synchronize view.
MergeWizardPage_14=&Merge non-conflicting changes and only preview conflicts
MergeWizardEndPage_branches=Branches

ModuleSelectionPage_moduleIsProject=Use &project name as module name
ModuleSelectionPage_specifyModule=Use &specified module name:

ModeWizardSelectionPage_10=Propo&se
ModeWizardSelectionPage_11=Automatically propose a new mode for the file based\non its name and extension. This can be configured on the\nTeam > File Content preference page.
ModeWizardSelectionPage_12=S&elect All
ModeWizardSelectionPage_13=Select &None
ModeWizardSelectionPage_14=Only sho&w those files that will be changed
ModeWizardSelectionPage_15=C&lear
ModeWizardSelectionPage_17={0} files will be changed
ModeWizardSelectionPage_18=SelectionPage
ModeWizardSelectionPage_19=ASCII/Binary Property
ModeWizardSelectionPage_20=Configure the way CVS transfers your files.
ModeWizardSelectionPage_21=Fil&ter files by name (? = any character, * = any string)
ModeWizardSelectionPage_22=C&hange the ASCII/Binary property for the selected files
ModeWizardSelectionPage_23=For information about the different CVS ASCII/Binary modes refer to your CVS documentation.
ModeWizardSelectionPage_24=Enter a c&ommit comment
ModeWizardSelectionPage_25={0} files selected

MoveTagAction_title=Tag with Existing Tag
MoveTagAction_message=&Select the tag to be moved

NewLocationWizard_title=Add CVS Repository
NewLocationWizard_heading=Add a new CVS Repository
NewLocationWizard_description=Add a new CVS Repository to the CVS Repositories view
NewLocationWizard_validationFailedText=Error validating location: "{0}"\n\nKeep location anyway?
NewLocationWizard_validationFailedTitle=Unable to Validate
NewLocationWizard_exception=Unable to create repository location

AlternativeLocationWizard_title=Configure CVS Repository
AlternativeLocationWizard_heading=Configure CVS Repository
AlternativeLocationWizard_description=Configure the repository location from the project set
AlternativeLocationWizard_validationFailedText=Error validating location: "{0}"\n\nUse location anyway?
AlternativeLocationWizard_validationFailedTitle=Unable to Validate
AlternativeLocationWizard_exception=Unable to create repository location

AlternativeConfigurationWizardMainPage_0=Location already exists. Close this dialog and select the location from a combo box.

OpenLogEntryAction_deletedTitle=Resource is Deleted
OpenLogEntryAction_deleted=The selected revision represents a deletion. It cannot be opened.

ReleaseCommentDialog_title=Commit
ReleaseCommentDialog_unaddedResources=Checked resources will be &added to CVS version control.
ReleaseCommentDialog_selectAll=&Select All
ReleaseCommentDialog_deselectAll=D&eselect All

RemoteFolderElement_nameAndTag={0} {1}
RemoteFolderElement_fetchingRemoteChildren=Fetching remote CVS children for ''{0}''...


ReplaceWithTagAction_message=Replace with Branch or Version
ReplaceWithTagAction_replace=Error Replacing With Tag

ReplaceWithRemoteAction_problemMessage=Error Replacing With Latest From Repository

ReplaceWithAction_confirmOverwrite=Confirm Overwrite
ReplaceWithAction_localChanges={0} has local changes which you are about to overwrite. Do you wish to overwrite?
ReplaceWithAction_calculatingDirtyResources=Finding outgoing changes...

ReplaceWithLatestAction_multipleTags=La&test from Repository
ReplaceWithLatestAction_multipleVersions=&Versions from Repository
ReplaceWithLatestAction_multipleBranches=La&test from Branches
ReplaceWithLatestAction_singleVersion=&Version {0}
ReplaceWithLatestRevisionAction_error=Error Replacing With BASE
ReplaceWithLatestAction_singleBranch=La&test from Branch {0}
ReplaceWithLatestAction_singleHEAD=La&test from {0}


RepositoryManager_committing=Committing
RepositoryManager_rename=An IO Exception occurred while renaming the state file
RepositoryManager_save=An IO Exception occurred while saving the state file
RepositoryManager_ioException=An IO Exception occurred while reading the state file
RepositoryManager_parsingProblem=An error occurred parsing file ''{0}''.
RepositoryManager_fetchingRemoteFolders=Fetching remote CVS folders for ''{0}''...

RepositoriesView_refresh=&Refresh View
RepositoriesView_refreshTooltip=Refresh View
RepositoriesView_new=&Repository Location...
RepositoriesView_newSubmenu=&New
RepositoriesView_newAnonCVS=&Anonymous Repository Location to dev.eclipse.org...
RepositoriesView_newWorkingSet=Select Working Set...
RepositoriesView_deselectWorkingSet=Deselect Working Set
RepositoriesView_editWorkingSet=Edit Active Working Set...
RepositoriesView_workingSetMenuItem={0} {1}
RepositoriesView_collapseAll=Collapse All
RepositoriesView_collapseAllTooltip=Collapse All
RepositoriesView_NItemsSelected={0} items selected
RepositoriesView_OneItemSelected=1 item selected
RepositoriesView_ResourceInRepository={0} in {1}
RepositoriesSortingActionGroup_sortBy=Sort By
RepositoriesSortingActionGroup_label=&Label
RepositoriesSortingActionGroup_host=&Host
RepositoriesSortingActionGroup_location=L&ocation
RepositoriesSortingActionGroup_descending=D&escending
RepositoriesView_CannotGetRevision=Cannot get revision
RepositoriesView_NoFilter=&Remove Filters
RepositoriesView_FilterOn=&Filter...
RepositoriesView_FilterRepositoriesTooltip=Repositories Filter
RemoteViewPart_workingSetToolTip=Working Set: {0}

RepositoryFilterDialog_title=Filter Repositories
RepositoryFilterDialog_message=Select filter criteria:
RepositoryFilterDialog_showModules=Show &modules

ResourcePropertiesPage_status=Status
ResourcePropertiesPage_notManaged=Not managed by CVS
ResourcePropertiesPage_versioned=versioned
ResourcePropertiesPage_notVersioned=not versioned
#ResourcePropertiesPage.baseRevision=Base Revision
#ResourcePropertiesPage.none=none
ResourcePropertiesPage_error=Error

SharingWizard_autoConnectTitle=Connect Project to Repository
SharingWizard_autoConnectTitleDescription=Project is already configured with CVS repository information.
SharingWizard_selectTagTitle=Select Tag
SharingWizard_selectTag=&Select the tag to synchronize with:
SharingWizard_importTitle=Share Project with CVS Repository
SharingWizard_importTitleDescription=Select an existing repository location or create a new location.
SharingWizard_title=Share Project
SharingWizard_enterInformation=Enter Repository Location Information
SharingWizard_enterInformationDescription=Define the location and protocol required to connect with an existing CVS repository.
SharingWizard_enterModuleName=Enter Module Name
SharingWizard_enterModuleNameDescription=Select the name of the module in the CVS repository.
SharingWizard_validationFailedText={0}. Set project sharing anyway?
SharingWizard_validationFailedTitle=Unable to Validate


ShowHistoryAction_showHistory=Error occurred performing Show History

SyncAction_noChangesTitle=No Changes
SyncAction_noChangesMessage=There are no changes between the workspace resource and the remote.

TagAction_tagErrorTitle=Tagging Error
TagAction_tagWarningTitle=Tagging Warning
TagAction_tagProblemsMessage=Problems reported tagging the resource.
TagAction_tagProblemsMessageMultiple=Problems tagging the resources. {0} project(s) successfully tagged and {1} project(s) with errors.
TagAction_tagResources=Tag Resources
TagRefreshButtonArea_0=No Tags Found
TagRefreshButtonArea_1=Perform &Deep Search
TagRefreshButtonArea_2=Confi&gure Manually
TagRefreshButtonArea_3=&Cancel
TagRefreshButtonArea_4=Tags were not found for {0} using the auto-refresh files and a shallow cvs log operation. You can choose to search using a deep cvs log operation, to manually configure the tags or to cancel.
TagRefreshButtonArea_5=Refreshing tags
TagRefreshButtonArea_6=Refreshing tags...
TagRefreshButtonArea_7=No tags could be found.
TagAction_enterTag=&Please enter a version tag:
TagAction_moveTag=&Move tag if it already exists
TagRootElement_0=Dates
TagLocalAction_0=The selected elements contain uncommitted changes. The unchanged server version will be tagged for those.
TagLocalAction_2=Tag with Uncommitted Changes
TagAction_moveTagConfirmTitle=Confirm Move Existing Tag
TagAction_moveTagConfirmMessage=If the tag {0} is already used in this project, it will be moved to the selected revisions.  Are you sure you want to perform the tag operation?
TagAction_uncommittedChangesTitle=Confirm Uncommitted Changes
TagAction_uncommittedChanges=You are tagging ''{0}'' that has uncommitted changes. These changes are not in the repository and will not be included in the version you are creating. Do you still want to tag this resource?
TagAction_existingVersions=Existing Versions

TagInRepositoryAction_tagProblemsMessage=Problems reported tagging the resource.
TagInRepositoryAction_tagProblemsMessageMultiple=Problems tagging the resources. {0} resource(s) successfully tagged and {1} resource(s) with errors.

UpdateAction_update=Problems encountered performing update
UpdateAction_promptForUpdateSeveral=Are you sure you want to update {0} resources?
UpdateAction_promptForUpdateOne=Are you sure you want to update {0} resource?
UpdateAction_promptForUpdateTitle=Confirm Update

UpdateWizard_title=Update
UpdateWizard_0=Select Tag
UpdateWizard_1=Select the tag for the update

UserValidationDialog_required=Password Required
UserValidationDialog_labelUser={0}
UserValidationDialog_labelPassword={1}
UserValidationDialog_password=&Password:
UserValidationDialog_user=&User name:

KeyboradInteractiveDialog_message=Keyboard Interactive authentication for {0}
KeyboardInteractiveDialog_labelRepository=Enter values for the following repository: {0}

VersionsElement_versions=Versions

WorkbenchUserAuthenticator_cancelled=Operation canceled because login was canceled
WorkbenchUserAuthenticator_1=Host Key Change
WorkbenchUserAuthenticator_2=The host key for {0} has changed. It is possible that this was intentional but there is also a chance that you are the target of an attack of some kind. If you know that the host key has changed, click OK and existing host key will be purged. Otherwise, click Cancel and consult with your system administrator
WorkbenchUserAuthenticator_0=Message for {1}\n\n{0}

Unmanage_title=Confirm Disconnect from CVS
Unmanage_titleN=Confirm Multiple Project Disconnect from CVS
Unmanage_option1=&Do not delete the CVS meta information (e.g. CVS sub-directories).
Unmanage_option2=&Also delete the CVS meta information from the file system.
Unmanage_unmanagingError=Errors occurred while disconnecting

Unmanage_message=Are you sure you want to disconnect CVS from ''{0}''?
Unmanage_messageN=Are you sure you want to disconnect CVS from these {0} projects?

Save_To_Clipboard_2=&Clipboard
Save_In_File_System_3=Fil&e
Browse____4=Br&owse...
Save_Patch_As_5=Save Patch As
patch_txt_6=patch.txt
Save_In_Workspace_7=&Workspace
WorkspacePatchDialogTitle=Set a Patch Location
WorkspacePatchDialogDescription=Select a folder in the workspace and enter a name for the patch.
Fi_le_name__9=Fi&le name:
Diff_output_format_12=Diff Output Format
Unified__format_required_by_Compare_With_Patch_feature__13=&Unified (format required by the Apply Patch wizard)
Context_14=&Context
Standard_15=&Standard
Advanced_options_19=Advanced Options
Configure_the_options_used_for_the_CVS_diff_command_20=Configure the options used for the CVS diff command.


TagSelectionDialog_Select_a_Tag_1=&Select a branch or version
TagSelectionDialog_recurseOption=Recurse into sub-&folders
TagSelectionDialog_0=&Add Date...
TagSelectionDialog_1=&Remove
TagSelectionDialog_7=Refreshing tags
TagSelectionDialog_8=Error refreshing tags

TagSelectionArea_0=&Matching tags:
TagSelectionArea_1={0}:
TagSelectionArea_2={0} (? = any character, * = any String):
TagSelectionArea_3=Select a &tag
TagSelectionWizardPage_0=&Use the tag currently associated with the workspace resources
TagSelectionWizardPage_1=&Select the tag from the following list


ExtMethodPreferencePage_message=These variables define the external connection program to use with the \'ext\' connection method. These values should be the same as the \'ext\' CVS command-line environment variable settings.
ExtMethodPreferencePage_CVS_RSH=CVS_R&SH:
ExtMethodPreferencePage_Browse=&Browse...
ExtMethodPreferencePage_0=Use an &external program to connect
ExtMethodPreferencePage_2=Choosing to use another connection method allows the meta information in CVS projects to be compatible with external CVS tools while using a custom connection method.
ExtMethodPreferencePage_1=Use another connection &method type to connect
ExtMethodPreferencePage_Details=Select a program or script
ExtMethodPreferencePage_CVS_RSH_Parameters=&Parameters:
ExtMethodPreferencePage_CVS_SERVER__7=CVS_SER&VER:
UpdateMergeActionProblems_merging_remote_resources_into_workspace_1=Problems merging remote resources into workspace

TagConfigurationDialog_1=Configure Branches and Versions for {0}
TagConfigurationDialog_5=&Browse files for tags:
TagConfigurationDialog_6=&New tags found in the selected files:
TagConfigurationDialog_7=Remembered &tags for these projects:
TagConfigurationDialog_8=&Add Checked Tags
TagConfigurationDialog_9=&Remove
TagConfigurationDialog_0=Add &Date...
TagConfigurationDialog_10=Re&move All
TagConfigurationDialog_11=&List of files to be automatically examined when refreshing tags:
TagConfigurationDialog_12=A&dd Selected Files
TagConfigurationDialog_13=Rem&ove
TagConfigurationDialog_14=Error fetching tags from remote CVS files
TagConfigurationDialog_20=&Refresh Tags
TagConfigurationDialog_21=&Configure Tags...
TagConfigurationDialog_22=Updating Tags
TagConfigurationDialog_AddDateTag=Add Date...

ConfigureTagsFromRepoViewConfigure_Tag_Error_1=Configure Tag Error
RemoteRootAction_label=Discard location
RemoteLogOperation_0=Fetching log information from {0}
RemoteLogOperation_1=Fetching log information
RemoveDateTagAction_0=&Remove
RemoteRootAction_Unable_to_Discard_Location_1=Unable to Discard Location
RemoveRootAction_RepositoryRemovalDialogTitle=Confirm Discard
RemoteRootAction_Projects_in_the_local_workspace_are_shared_with__2=Projects in the local workspace are shared with {0}. This location cannot be discarded until all local projects are disconnected from it.
RemoteRootAction_The_projects_that_are_shared_with_the_above_repository_are__4=The projects that are shared with the above repository are:

BranchCategory_Branches_1=Branches
VersionCategory_Versions_1=Versions
HistoryView_______4=[...]

CVSProjectPropertiesPage_connectionType=Connection type:
CVSProjectPropertiesPage_user=User:
CVSProjectPropertiesPage_Select_a_Repository_1=Select a Repository
CVSProjectPropertiesPage_Select_a_CVS_repository_location_to_share_the_project_with__2=Select a compatible CVS repository location to share the project with:
CVSProjectPropertiesPage_Change_Sharing_5=&Change Sharing...
CVSProjectPropertiesPage_fetchAbsentDirectoriesOnUpdate=&Fetch absent or new directories when updating
CVSProjectPropertiesPage_configureForWatchEdit=&Enable watch/edit for this project
CVSProjectPropertiesPage_progressTaskName=Updating project's CVS properties
CVSProjectPropertiesPage_setReadOnly=Setting all files read-only
CVSPreferencesPage_QuickDiffAnnotate=Use &Quick Diff annotate mode for local file annotations
CVSProjectPropertiesPage_clearReadOnly=Setting all files writable
CVSRepositoryPropertiesPage_Confirm_Project_Sharing_Changes_1=Confirm Project Sharing Changes
CVSRepositoryPropertiesPage_There_are_projects_in_the_workspace_shared_with_this_repository_2=There are projects in the workspace shared with this repository. The projects will be updated with the new information that you have entered
CVSRepositoryPropertiesPage_sharedProject=The projects that are shared with {0} are:
CVSHistoryFilterDialog_showLocalRevisions=Show local revisions
CVSHistoryTableProvider_currentVersion=<current version>
CVSHistoryPage_CombinedModeTooltip=Local and Remote Revisions
CVSHistoryPage_ValidateChangeTitle=Modify Contents
CVSHistoryPage_CompareRevisionAction=Compare
CVSHistoryPage_ValidateChangeMessage=The contents of {0} are about to be modified.
CVSHistoryPage_CompareModeToggleAction=Compare Mode
CVSHistoryPage_CompareModeTooltip=Compare Mode
CVSHistoryPage_FilterHistoryTooltip=Filter History
CVSHistoryPage_SortTagsAscendingAction=Sort &Ascending
CVSHistoryPage_SortTagsDescendingAction=Sort &Descending

CVSRepositoryPropertiesPage_useLocationAsLabel=Use the &repository identification string as the label
CVSRepositoryPropertiesPage_useCustomLabel=Use a custom &label:

CVSProjectSetSerializer_Confirm_Overwrite_Project_8=Confirm Overwrite Project
CVSProjectSetSerializer_The_project__0__already_exists__Do_you_wish_to_overwrite_it__9=The project {0} already exists. Do you wish to overwrite it?

IgnoreResourcesDialog_dialogTitle=Add to .cvsignore
IgnoreResourcesDialog_title=.cvsignore
IgnoreResourcesDialog_messageSingle=You have chosen to ignore ''{0}''. Select what to add to the .cvsignore file.
IgnoreResourcesDialog_messageMany=You have chosen to ignore {0} resources. Select what to add to the .cvsignore file(s).
IgnoreResourcesDialog_filesWithSpaceWarningMessage=You want to ignore at least one filename which contains a space.
IgnoreResourcesDialog_filesWithSpaceWarning=There is no direct way to add a filename with spaces to a .cvsignore file,\nbut you can use a pattern with ? as initially suggested. However, please be aware\nthat this could potentially ignore other files which matches the pattern.
IgnoreResourcesDialog_filesWithNoExtensionWarningMessage=You want to ignore at least one with no extension. It's name will be used instead.
IgnoreResourcesDialog_addNameEntryButton=&Resource(s) by name
IgnoreResourcesDialog_addNameEntryExample=&Examples: file1.so, file2.so, .rcfile, bin
IgnoreResourcesDialog_addExtensionEntryButton=&Wildcard extension
IgnoreResourcesDialog_addExtensionEntryExample=E&xamples: *.so, *.rcfile, bin
IgnoreResourcesDialog_addCustomEntryButton=&Custom pattern
IgnoreResourcesDialog_addCustomEntryExample=&The wildcard characters '*' and '?' are permitted.
IgnoreResourcesDialog_patternMustNotBeEmpty=Pattern must not be empty.
IgnoreResourcesDialog_patternDoesNotMatchFile=Pattern does not match all selected resources: e.g. ''{0}''.


CVSProjectPropertiesPage_You_can_change_the_sharing_of_this_project_to_another_repository_location__However__this_is_only_possible_if_the_new_location_is___compatible____on_the_same_host_with_the_same_repository_path___1=You can change the sharing of this project to another repository location. However, this is only possible if the new location is \"compatible\" (on the same host with the same repository path).

ConfigurationWizardMainPage_Location_1=Location
ConfigurationWizardMainPage_Authentication_2=Authentication
ConfigurationWizardMainPage_Connection_3=Connection
AlternateUserValidationDialog_Enter_Password_2=Enter Password
AlternateUserValidationDialog_OK_6=OK
AlternateUserValidationDialog_Cancel_7=Cancel
AlternateUserValidationDialog_message=Enter the password for {0}:
WorkbenchUserAuthenticator_The_operation_was_canceled_by_the_user_1=The operation was canceled by the user

WorkingSetSelectionArea_workingSetOther=&Other...
ListSelectionArea_selectAll=&Select All
ListSelectionArea_deselectAll=&Deselect All

RestoreFromRepositoryWizard_fileSelectionPageTitle=Restore from Repository
RestoreFromRepositoryWizard_fileSelectionPageDescription=Select the revision of each file that should be restored.
RestoreFromRepositoryFileSelectionPage_fileSelectionPaneTitle={0} - Select file to be restored:
RestoreFromRepositoryFileSelectionPage_revisionSelectionPaneTitle={0} - Check revision to be restored:
RestoreFromRepositoryFileSelectionPage_fileToRestore={0} ({1} to be restored)
RestoreFromRepositoryFileSelectionPage_fileContentPaneTitle={0} {1} in ''{2}''
RestoreFromRepositoryFileSelectionPage_emptyRevisionPane=Remote revisions of selected file:
RestoreFromRepositoryFileSelectionPage_fileExists=File ''{0}'' already exists locally.
RestoreFromRepositoryFileSelectionPage_revisionIsDeletion=Revision {0} of {1} is the deletion and can not be restored.  Select another revision of this file.
RestoreFromRepositoryAction_noFilesTitle=No Deleted Files Found
RestoreFromRepositoryAction_noFilesMessage=There were no deleted files found on the repository in folder ''{0}''.

RepositoryRoot_folderInfoMissing=Local folder ''{0}'' is not properly mapped to a remote folder.

RepositoriesViewContentHandler_unmatchedTag=No matching end tag found for tag ''{0}'' while reading repositories View configuration file.
RepositoriesViewContentHandler_missingAttribute=Required attribute ''{1}'' missing from tag ''{0}'' while reading repositories View configuration file.
RepositoriesViewContentHandler_errorCreatingRoot=An error occurred trying to create repository ''{0}''.




WatchEditPreferencePage_description=Settings for CVS Watch/Edit.
WatchEditPreferencePage_checkoutReadOnly=&Configure projects to use Watch/Edit on checkout
WatchEditPreferencePage_validateEditSaveAction=When read-only files are modified in an editor
WatchEditPreferencePage_edit=Send a CVS &edit notification to the server
WatchEditPreferencePage_0=Enable temporary &watches on edit
WatchEditPreferencePage_editInBackground=Send a CVS edit notification to the server in the &background
WatchEditPreferencePage_highjack=Edit the file &without informing the server
WatchEditPreferencePage_editPrompt=Before a CVS edit notification is sent to the server
WatchEditPreferencePage_neverPrompt=&Never prompt
WatchEditPreferencePage_alwaysPrompt=Always &prompt
WatchEditPreferencePage_onlyPrompt=&Only prompt if there are other editors
WatchEditPreferencePage_updatePrompt=Update edited files
WatchEditPreferencePage_autoUpdate=Always &update before editing
WatchEditPreferencePage_promptUpdate=Prompt to update if out of &date
WatchEditPreferencePage_neverUpdate=Ne&ver update

Uneditaction_confirmMessage=Overwrite local changes to edited files?
Uneditaction_confirmTitle=Confirm Unedit

FileModificationValidator_vetoMessage=User vetoed file modification

RefreshRemoteProjectWizard_title=Refresh Branches
RefreshRemoteProjectWizard_0=Tags not found for some modules
RefreshRemoteProjectWizard_1=Search Deeply
RefreshRemoteProjectWizard_2=Skip
RefreshRemoteProjectWizard_3=Tags were not found on module {0} using the auto-refresh files and a shallow cvs log operation. You can choose to search this module using a deep cvs log operation or skip it.
RefreshRemoteProjectWizard_4=Tags were not found on {0} modules using the auto-refresh files and a shallow cvs log operation. You can choose to search these module using a deep cvs log operation or skip them.
RefreshRemoteProjectSelectionPage_pageTitle=Select Projects
RefreshRemoteProjectSelectionPage_pageDescription=Select the remote projects whose tags should be refreshed.
RefreshRemoteProjectSelectionPage_selectRemoteProjects=This wizard helps discover the tags associated with one or more remote projects. &Check the projects whose tags you wish to refresh.
RefreshRemoteProjectSelectionPage_noWorkingSet=Do not &use a working set
RefreshRemoteProjectSelectionPage_workingSet=Select a &working set (matching projects will be checked):

EditorsView_file=File name
EditorsView_user=User name
EditorsView_date=Date
EditorsView_computer=Computer name

EditorsDialog_title=Editors
EditorsDialog_question=The resource already has editors. Do you still want to edit the resource and send a CVS edit notification to server?
EditorsAction_classNotInitialized={0} not initialized


RemoteFileEditorInput_fullPathAndRevision={0} {1}

CheckoutOperation_thisResourceExists=The resource ''{0}'' already exists in the workspace and will be deleted. Proceed with the check out of ''{1}''?
CheckoutOperation_thisExternalFileExists=The folder ''{0}'' exists in the local file system and will be deleted. Proceed with the check out of ''{1}''?
CheckoutOperation_confirmOverwrite=Confirm Overwrite
CheckoutOperation_scrubbingProject=Scrubbing project ''{0}''.
CheckoutOperation_refreshingProject=Configuring project ''{0}''.

CheckoutSingleProjectOperation_taskname=Checking out ''{0}'' from CVS
CheckoutMultipleProjectsOperation_taskName=Checking out {0} folders from CVS

CheckoutIntoOperation_taskname=Checking out {0} folders from CVS into ''{1}''
CheckoutIntoOperation_targetIsFile=Folder ''{0}'' cannot be checked out because file ''{1}'' is in the way.
CheckoutIntoOperation_targetIsFolder=Folder ''{0}'' cannot be checked out because folder ''{1}'' is in the way.
CheckoutIntoOperation_targetIsPrunedFolder=Folder ''{0}'' cannot be checked out because it conflicts with the pruned folder ''{1}''.
CheckoutIntoOperation_mappingAlreadyExists=Cannot checkout remote folder ''{0}'' into ''{1}'' because local folder ''{2}'' is already mapped to remote folder ''{0}''.
CheckoutIntoOperation_cancelled=Checkout of ''{1}'' canceled by user.
CheckoutIntoOperation_overwriteMessage=Folder ''{0}'' already exists and will be deleted. Continue?




CheckoutAsWizard_title=Check Out As
CheckoutAsWizard_error=Problems encountered performing checkout
CheckoutAsMainPage_title=Check Out As
CheckoutAsMainPage_Browse=B&rowse...
CheckoutAsMainPage_description=Select the method of check out
CheckoutAsMainPage_singleFolder=Choose how to check out folder ''{0}''
CheckoutAsMainPage_asConfiguredProject=Check out as a project &configured using the New Project Wizard
CheckoutAsMainPage_WorkingSetMultiple=&Add projects to a working set
CheckoutAsMainPage_EmptyWorkingSetErrorMessage=No name in the Working Set field
CheckoutAsMainPage_asSimpleProject=Check out as a &project in the workspace
CheckoutAsMainPage_projectNameLabel=&Project Name:
CheckoutAsMainPage_WorkingSetSingle=&Add project to a working set
CheckoutAsMainPage_multipleFolders=Choose how to check out the {0} folders
CheckoutAsMainPage_asProjects=Check out into the &workspace as projects
CheckoutAsMainPage_intoProject=Check out &into an existing project

CheckoutAsLocationSelectionPage_title=Check Out As
CheckoutAsLocationSelectionPage_description=Select the project location
CheckoutAsLocationSelectionPage_useDefaultLabel=Use default &workspace location
CheckoutAsLocationSelectionPage_locationLabel=&Location:
CheckoutAsLocationSelectionPage_parentDirectoryLabel=&Directory:
CheckoutAsLocationSelectionPage_browseLabel=&Browse...
CheckoutAsLocationSelectionPage_locationEmpty=Project contents directory must be specified.
CheckoutAsLocationSelectionPage_invalidLocation=Invalid location path.
CheckoutAsLocationSelectionPage_messageForSingle=Select the parent directory for project {0}.
CheckoutAsLocationSelectionPage_messageForMulti=Select the parent directory for the {0} projects.
CheckoutAsMainPage_WorkingSetExistsErrorMessage=A non-Resource Working Set already exists with the same name

CheckoutAsProjectSelectionPage_title=Check Out Into
CheckoutAsProjectSelectionPage_description=Select the local folder that is the target of the checkout operation.
CheckoutAsProjectSelectionPage_name=Target folder &name:
CheckoutAsProjectSelectionPage_treeLabel=&Parent of target folder:
CheckoutAsProjectSelectionPage_showLabel=&Filter project list:
CheckoutAsProjectSelectionPage_recurse=&Checkout subfolders
CheckoutAsProjectSelectionPage_showAll=Show all valid target projects
CheckoutAsProjectSelectionPage_showUnshared=Show unshared projects
CheckoutAsProjectSelectionPage_showSameRepo=Show projects shared with the same repository
CheckoutAsProjectSelectionPage_invalidFolderName=''{0}'' is not a valid folder name


WorkspaceChangeSetCapability_1=New Set
OpenCommitSetAction_20=Open Change in Compare Editor
OpenCommitSetAction_21=Could not determine the repository location of the selected resources
OpenChangeSetAction_0=[{0}] ({1})
OpenChangeSetAction_1=CVS Change
WorkspaceChangeSetCapability_2=New Change Set
WorkspaceChangeSetCapability_3=Enter the name and comment for the new change set
CVSChangeSetCollector_4=Retrieving revision histories
CVSChangeSetCollector_0=Unassigned Remote Changes
WorkspaceChangeSetCapability_7=Edit Change Set Comment
WorkspaceChangeSetCapability_8=Edit the name and comment for the change set
WorkspaceChangeSetCapability_9=A change set with that name already exists
WorkspaceSubscriberContext_0=Could not update the meta-data for file {0} due to inconsistent internal state.
WorkspaceSubscriberContext_1=Overwriting {0}
WorkspaceSubscriberContext_2=Overwriting {0} resources
WorkspaceSubscriberContext_3=Updating {0}
WorkspaceSubscriberContext_4=Updating {0} resources
WorkspaceTraversalAction_0=Looking for uncommitted changes
WorkspaceModelParticipant_0=Updating all changes in {0}


ProjectMetaFile_taskName=Looking for a remote meta file
TagFromWorkspace_taskName=Tagging from Workspace
TagFromRepository_taskName=Tagging from Repository
UpdateOnlyMergeable_taskName=Updating mergeable changes
UpdateDialog_overwriteTitle=Overwrite Local Changes?
UpdateMergePreferencePage_0=&Never preview and use CVS text markup to indicate conflicts
UpdateMergePreferencePage_1=When an update preview is required
UpdateMergePreferencePage_2=Preview updates in a &dialog
UpdateMergePreferencePage_3=Preview updates in the &Synchronize view
UpdateDialog_overwriteMessage=Do you want to overwrite local changes?
ReplaceOperation_taskName=CVS Replace
UpdateOperation_taskName=CVS Update

SafeUpdateAction_warnFilesWithConflictsTitle=Non-mergeable files
SafeUpdateAction_warnFilesWithConflictsDescription=Some conflicting files cannot be merged automatically with the update action. They contain conflicting changes that will have to be merged manually. Use the Synchronize View to find the conflicts then merge the changes in a compare editor.

ShowAnnotationAction_2=Annotate Binary File?
ShowAnnotationAction_3=File {0} is marked as a binary file. The CVS annotation operation only works properly for files that contain text. Do you wish to continue?

UpdateAction_jobName=CVS Update
MergeUpdateAction_jobName=CVS Merge
MergeUpdateAction_invalidSubscriber=Invalid subscriber: {0}
CommitAction_jobName=CVS Commit
CommitAction_0=Preparing to Commit
CommitAction_3=An inconsistency in the selection state of the Synchronize view was detected. Please try committing again.
CommitAction_1=Consult Change Sets
CommitAction_2=Should change sets be consulted in order to determine which resources should be included in the commit?

CommitCommentArea_0=<Click here to enter a commit comment>
CommitCommentArea_1=<Choose a previously entered comment>
CommitCommentArea_10=Select &All
CommitCommentArea_2=Empty commit comment
CommitCommentArea_3=The commit comment is empty. Are you sure you would like to continue with an empty comment?
CommitCommentArea_4=Re&member decision?
CommitCommentArea_5=Configure Comment Templates...
CommitCommentArea_6=Template
CommitCommentArea_7=C&ut
CommitCommentArea_8=&Copy
CommitCommentArea_9=&Paste

CheckoutProjectOperation_8=Checking out ''{0}'' into project ''{1}''
CheckoutProjectOperation_9=Checking out ''{0}'' into {1} projects
CheckoutProjectOperation_0=Checkout of remote folder {0} canceled by user
CheckoutProjectOperation_1=An error occurred checking out {0}: {1}
ChangeSetContentProvider_0=<Unassigned>
CVSOperation_0=Errors occurred in {0} of {1} operations.
CVSOperation_1=Show CVS Console
CVSOperation_2=Show CVS Console
CVSModelElement_0=Error
CVSModelElement_1=Error fetching resource list from repository.
CVSMergeContext_0=Determining remote changes
CVSMergeContext_1=The state of {0} has been changed concurrently.
CVSMergeContext_2=Refreshing remote changes
CVSDecorator_exceptionMessage=Errors occurred while applying CVS decorations to resources.
CVSDecoratorConfiguration_0=>
CVSDecoratorConfiguration_1=*
CVSDecoratorConfiguration_2={outgoing_change_flag}{name}  {revision} {tag}
CVSDecoratorConfiguration_3={outgoing_change_flag}{name}  {tag}
CVSDecoratorConfiguration_4={outgoing_change_flag}{name}  {tag} [{host}]
FetchMembersOperation_0=Fetching members of {0}
FetchAllMembersOperation_0=Fetching Members

RemoteRevisionQuickDiffProvider_readingFile=Error reading remote file
RemoteRevisionQuickDiffProvider_closingFile=Error closing remote file
RemoteRevisionQuickDiffProvider_fetchingFile=CVS QuickDiff: fetching remote contents
RemoteCompareOperation_0=Comparing tags {0} and {1} of {2}
RefreshDirtyStateOperation_0=Problems encountered cleaning timestamps
RefreshDirtyStateOperation_1=CVS Clean Timestamps
IgnoreAction_0=Ignoring selected resources for project {0}
IgnoreAction_1=Ignoring Resources
GenerateDiffFileOperation_0=The file could not be written. Possible reasons are the directory is write-protected or not enough disk space is available.
GenerateDiffFileOperation_1=The file could not be written due to an I/O error.
GenerateDiffFileOperation_2=An I/O error occurred.
GenerateDiffFileWizard_0=Please enter a valid location.
GenerateDiffFileWizard_2=Please enter a file name.
GenerateDiffFileWizard_3=The specified directory does not exist.
GenerateDiffFileWizard_4=Please select a location in the workspace by browsing.
GenerateDiffFileWizard_5=Please enter a valid filename.
GenerateDiffFileWizard_6=&Workspace (Multi-project Apply Patch wizard specific)
GenerateDiffFileWizard_7=&Project
GenerateDiffFileWizard_8=S&election
GenerateDiffFileWizard_9=Save Patch
GenerateDiffFileWizard_10=Patch Root
GenerateDiffFileWizard_11=Create Patch with Binary Files
GenerateDiffFileWizard_12=CVS does not handle the creation of patches for binary files but some of the selected resources include files marked as binary, e.g. {0}.\n\n Include files marked as binary anyway?
GenerateDiffFileWizard_File_multisegments=File name cannot contain multiple segments
GenerateDiffFileWizard_SelectAll=Select &All
GenerateDiffFileWizard_DeselectAll=&Deselect All
GenerateDiffFileWizard_browseFilesystem=Please select a location in the filesystem by browsing.
GenerateDiffFileWizard_noChangesSelected=No changes selected.
GenerateDiffFileWizard_FolderExists=The specified path points to an existing folder.
GenerateDiffFileWizard_ProjectClosed=The specified path points to a closed project.

MergeSynchronizeParticipant_8=Missing id initializing cvs merge participant
MergeSynchronizeParticipant_9=Unable to initialize cvs merge subscriber
MergeSynchronizeParticipant_10=Could not restore CVS Merge in Synchronize view: {0}
MergeSynchronizeParticipant_11=Root resource in cvs merge subscriber is no longer in workspace, ignoring: {0}
MergeSynchronizeParticipant_12=Missing root resources for cvs merge subscriber: {0}
DisconnectOperation_0=Disconnecting
DisconnectOperation_1=Disconnecting {0}
SubscriberConfirmMergedAction_0=Synchronization information is missing for resource {0}
SubscriberConfirmMergedAction_jobName=Performing a CVS Mark as Merged operation on {0} resources.
CVSSubscriberAction_0=Invalid attempt to make unsupervised resource {0} in-sync.
ReconcileProjectOperation_0=Reconciling project {0} with remote folder {1}
CheckoutToRemoteFolderOperation_0=Downloading folder {0}
CVSRepositoryPropertiesPage_0=Confirm Host or Path Change
CVSRepositoryPropertiesPage_1=You have chosen to change the host name or repository root path for this location. You should ensure that this new information still identifies the same repository.
CompareRevertAction_0=Reverting {0} resources
CompareParticipant_0={0} ({1})

ComparePreferencePage_0=Options for CVS comparisons:
ComparePreferencePage_1=Show the &file author in compare editors
ComparePreferencePage_2=Automatically enable chan&ge set grouping in CVS synchronizations
ComparePreferencePage_3=Show revision &comparisons in a dialog
ComparePreferencePage_4=Con&sider file contents in comparisons
ComparePreferencePage_6=See <a>''{0}''</a> for compare editor preferences.
ComparePreferencePage_7=Allow &models (e.g. Java) to participate in synchronizations
ComparePreferencePage_8=&Open a compare editor when comparing a single file

FileModificationValidator_3=Perform Edit?
FileModificationValidator_4=A CVS edit notification is required to be sent to the server in order to allow editing of one or more selected files. Continue?
FileModificationValidator_5=Perform Update?
FileModificationValidator_6=Some of the files being edited have been modified on the server. Would you like to update before continuing?
CVSSynchronizeWizard_0=Unknown
Participant_comparing=Comparing
Participant_merging=Merging


CompareWithRevisionAction_4=Compare With Revision
ReplaceWithRevisionAction_0=Replace {0}
ReplaceWithRevisionAction_1=Replace With Revision

ConsolePreferencesPage_4=&Show CVS console automatically when command is run
ConsolePreferencesPage_5=&Limit console output
ConsolePreferencesPage_6=&Fixed width console
ConsolePreferencesPage_7=Character &width:
ConsolePreferencesPage_8=Console &buffer size (characters):
ConsolePreferencesPage_9=CVS Console Settings:

SharingWizard_23=Share Project Resources
SharingWizard_24=Review and commit resources to the repository. Use the context menu to perform additional operations on the resources.
SharingWizard_25=Module ''{0}'' exists on the server. Select the tag to synchronize with.
ReconcileProjectOperation_1=Local resource {0} is a file while the corresponding remote {1} is a folder
ReconcileProjectOperation_2=Local resource {0} is a folder while the corresponding remote {1} is a file
ShareProjectOperation_0=Sharing project {0} as {1}.
SharingWizard_26=Keep Sharing?
SharingWizard_27=Project {0} has been shared with a CVS repository. Do you want to keep it shared?
SharingWizardSyncPage_3=The resources of project {0} are in-sync with the repository.
SharingWizardSyncPage_4=An error has occurred populating this view.
SharingWizardSyncPage_5=Show Errors
SharingWizardSyncPage_8=Errors Occurred
SharingWizardSyncPage_9=The following errors occurred.
SharingWizardSyncPage_12=Launch the &Commit wizard
ShareProjectOperation_1=Calculating synchronization states
ShareProjectOperation_3=Mapping project {0} to {1}
ShareProjectOperation_2=Preparing folder {0} for sharing
CVSProjectPropertiesPage_31=&Show only compatible repository locations
CVSProjectPropertiesPage_32=Confirm
CVSProjectPropertiesPage_33=The selected repository location may not be compatible with the current location. Are you sure you want to change sharing to the new location?
RepositoryEncodingPropertyPage_2=Identify the file system encoding used by the server where the repository is located. Setting this will allow file names and commit comments to be properly translated between the client and server in cases where the server encoding differs from the client.
RepositoryEncodingPropertyPage_3=Server Encoding
RepositoryEncodingPropertyPage_0=Cannot Change Encoding
RepositoryEncodingPropertyPage_1=Properties for location {0} have been changed on another page. Please reopen the properties dialog to set the encoding.
RepositoryEncodingPropertyPage_4=Note: this setting does not apply to file content encodings. File content encodings can be set on the <a>General/Workspace</a> preference page and on the Info property page of a project.
CheckoutWizard_7=Checkout Project from CVS Repository
CheckoutWizard_8=This wizard allows you to checkout projects from a CVS Repository.
CheckoutWizard_0=Checkout from CVS
CheckoutWizard_10=Select Module
CheckoutWizard_11=Select the module to be checked out from CVS
ModuleSelectionPage_2=Use an existing &module (this will allow you to browse the modules in the repository)
ModuleSelectionPage_3=Use project name as module name and place it &under the selected module
CheckoutAsWizard_3=Select Tag
CheckoutAsWizard_4=Choose the tag to check out from
CheckoutAsMainPage_10=(Only available when the .project file does not exist in the repository)
CVSTeamProvider_updatingFile=Updating {0}
CVSHistoryTableProvider_base=<base>
CVSHistoryPage_LocalModeAction=Local Mode
CVSHistoryPage_OpenAction=&Open
CVSHistoryPage_OpenWithMenu=Open &With
CVSHistoryPage_GroupByDate=Group Revisions by Date
CVSHistoryPage_Today=Today
CVSHistoryPage_Yesterday=Yesterday
CVSHistoryPage_ThisMonth=This Month
CVSHistoryPage_Previous=Older than This Month
CVSHistoryPage_NoFilter=&Remove Filters
CVSHistoryPage_FilterOn=&Filter...
CVSHistoryPage_FilterDescription = {0} {1}
CVSHistoryPage_FilterOnMessage=(Filter matched {0} of {1} revisions)
CVSHistoryPage_EnterSearchTerm=Enter search term
CVSHistoryPage_ShowSearchField=Show &Search Field
CVSHistoryPage_LocalModeTooltip=Local Revisions
CVSHistoryPage_RemoteModeAction=Remote Mode
CVSHistoryPage_RemoteModeTooltip=Remote Revisions
CVSHistoryPage_CombinedModeAction=Remote Local Mode
CVSHistoryPage_CollapseAllAction=Collapse All
CVSHistoryPage_CollapseAllTooltip=Collapse All
CVSHistoryPage_NoRevisionsForMode=No {0}
CVSHistoryPage_NoRevisions=Revisions
CVSTeamProvider_makeBranch=Creating branch
CVSTeamProvider_folderInfo=Updating folder synchronization information for project {0}
CVSTeamProvider_updatingFolder=Updating {0}
AddOperation_0=Adding resources in {0} to version control
BranchOperation_0=Branching
BranchOperation_1=Branching {0}
CommitOperation_0=Committing {0}
CommitSetDialog_0=&Name:
CommitSetDialog_2=Custom change set &title
CommitWizard_0=Committing resources
CommitWizard_1=Committing resources
CommitWizard_10=Always allow commits with warnings
CommitWizard_11=Commit resources
CommitWizard_12=One or more of the files being committed contain errors. Do you want to proceed with the commit?
CommitWizard_13=Always allow commits with errors
CommitWizard_2=Commit Files
CommitWizard_4=Collecting outgoing changes
CommitWizard_6=Nothing to Commit
CommitWizard_7=The selected resources do not contain any changes.
CommitWizard_8=Commit resources
CommitWizard_9=One or more of the files being committed contain warnings. Do you want to proceed with the commit?
UpdateOperation_0=Updating {0}
ReplaceOperation_0=Replacing {0}
ReplaceOperation_1=Scrubbing {0}
TagOperation_0=Tagging {0}
RemoteAnnotationStorage_1=As error occurred computing the content type of remote resource {0}
DateTagCategory_0=Dates
DateTagDialog_0=Date:
DateTagDialog_1=Include time component in tag
DateTagDialog_2=Time:
DateTagDialog_3=Time is local
DateTagDialog_4=Time is in universal time coordinates (UTC)
DateTagDialog_5=Create Date Tag
DateTagDialog_6=Future date tag warning
DateTagDialog_7=You have entered future date tag. Do you wish to continue?

LogEntryCacheUpdateHandler_0=Errors have occurred while maintaining the log entry cache.
LogEntryCacheUpdateHandler_1=Updating revision histories
LogEntryCacheUpdateHandler_2=Could not fetch revision histories due to an internal timeout.
MultiFolderTagSource_0={0} folders
LocalProjectTagSource_0={0} Projects
ModeWizard_0=ModeWizard
ModeWizard_1=Change the ASCII/Binary Property
ModeWizard_2=An error occurred
ModeWizard_3=Setting file transfer mode...
ModeWizard_4=Problems encountered while setting file transfer mode
ModeWizard_5=Errors occurred
ModeWizard_6=Warnings occurred

ModeWizardSelectionPage_2=File
ModeWizardSelectionPage_3=ASCII/Binary Property
ModeWizardSelectionPage_4=Path
ModeWizardSelectionPage_8=&Reset
ModeWizardSelectionPage_9=Reset the selected files to their current mode
ModelReplaceOperation_0=Overwrite Local Changes?
ModelReplaceOperation_1=The selected elements contain local changes. You may choose to overwrite the changes or preview them.
ModelReplaceOperation_2=&Overwrite
ModelReplaceOperation_3=&Preview
ModelCompareOperation_0=CVS Compare

ReplaceWithTagAction_0=The selected elements contain uncommitted changes that will be overwritten. Should the replace proceed?
ReplaceWithTagAction_1=The following elements contain &uncommitted changes that will be overwritten.
ReplaceWithTagAction_2=Overwrite Uncommitted Changes
UncommittedChangesDialog_2=Select an item to see the dirty resources it contains.
UncommittedChangesDialog_3=&The dirty resources contained in ''{0}''
UncommittedChangesDialog_4=&The full path of ''{0}''
AddWizard_0=Add to Version Control

CommentTemplatesPreferencePage_Description=&Create, edit or remove comment templates:
CommentTemplatesPreferencePage_New=&New...
CommentTemplatesPreferencePage_Edit=&Edit...
CommentTemplatesPreferencePage_Remove=&Remove
CommentTemplatesPreferencePage_Preview=Previe&w:
CommentTemplatesPreferencePage_EditCommentTemplateTitle=Enter Comment Template
CommentTemplatesPreferencePage_EditCommentTemplateMessage=Please enter a comment template:
DiffOperation_0=Creating Patch on {0}
DiffOperation_1=Creating Patch
WorkInProgress_EnableModelUpdate=&Allow models to participate when performing a CVS merge
WorkInProgressPage_0=When performing an update
WorkInProgressPage_1=&Preview all incoming changes before updating
WorkInProgressPage_2=&Update all non-conflicting changes and then preview remaining conflicts
CVSMappingMergeOperation_MergeInfoTitle=Conflicts Occurred
CVSMappingMergeOperation_MergeInfoText=Some elements contained conflicts that could not be handled automatically. Conflicts will appear in the Synchronize View.
CacheTreeContentsOperation_0=Fetching contents for changed files in {0}
CacheTreeContentsOperation_1=Fetching contents for changed files
OutgoingChangesDialog_0=An error occurred creating the details section.
OutgoingChangesDialog_1=Creation of the details section was canceled.
SyncAction_0=Synchronizing CVS
SyncAction_1=Should change sets be consulted to determine which resources should be included in the synchronization?
CreatePatchAction_0=Create Patch
CreatePatchAction_1=There were no changes found to be included in a patch.
AnnotatePreferencePage_AnnotatePrefPageTitle=Annotate
AnnotatePreferencePage_AnnotatePrefPageMessage=Options for CVS Annotate:
AnnotatePreferencePage_AnnotatePrefPageBinaryFileMessage=Attempt to annotate a &binary file
DiffOperation_CreatePatchConflictTitle=Patch Already Being Created
DiffOperation_CreatePatchConflictMessage=A patch is already in the process of being written to {0}. Do you want to cancel the previous patch creation and continue with this one?
ClipboardDiffOperation_Clipboard=the clipboard
RemoveRootAction_RepositoryRemovalDialogMessageSingle=Are you sure you want to discard ''{0}''?
RemoveRootAction_RepositoryRemovalDialogMessageMultiple=Are you sure you want to discard these {0} repositories?
AddAction_confirmAddingResourcesTitle=Confirm adding resources to Version Control
AddAction_confirmAddingResourcesMessage=Are you sure you want to add selected resources to the version control?

CVSScmUrlImportWizardPage_0=Import Projects from CVS
CVSScmUrlImportWizardPage_1=Import CVS projects corresponding to plug-ins and fragments in the file system.
CVSScmUrlImportWizardPage_2=Import from &HEAD
CVSScmUrlImportWizardPage_3=Import specific &version(s) shown below
CVSScmUrlImportWizardPage_4=Total: {0}

CVSScmUrlImportWizardPage_0=Import Projects from CVS
CVSScmUrlImportWizardPage_1=Import CVS projects corresponding to plug-ins and fragments in the file system.
CVSScmUrlImportWizardPage_2=Import from &HEAD
CVSScmUrlImportWizardPage_3=Import specific &version(s) shown below
CVSScmUrlImportWizardPage_4=Total: {0}

Back to the top