-
Notifications
You must be signed in to change notification settings - Fork 310
Expand file tree
/
Copy pathhpcc.ts
More file actions
1273 lines (1273 loc) · 53.3 KB
/
hpcc.ts
File metadata and controls
1273 lines (1273 loc) · 53.3 KB
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
export = {
root: {
Abort: "Abort",
AbortSelectedWorkunits: "Abort Selected Workunit(s)? Your login ID will be recorded for this action within the WU(s).",
AbortedBy: "Aborted by",
AbortedTime: "Aborted time",
About: "About",
AboutGraphControl: "About Graph Control",
AboutHPCCSystems: "About HPCC Systems®",
AboutHPCCSystemsGraphControl: "About HPCC Systems® Graph Control",
AboutToLoseSessionInformation: "You are about to log out and lose all session information. Do you wish to continue?",
Account: "Account",
AccountType: "Account Type",
AccountDisabled: "Account Disabled. Contact system administrator.",
Action: "Action",
Activate: "Activate",
ActivateQuery: "Activate Query",
ActivateQueryDeletePrevious: "Activate query, delete previous",
ActivateQuerySuspendPrevious: "Activate query, suspend previous",
Activated: "Activated",
Active: "Active",
ActivePackageMap: "Active Package Map",
ActiveWorkunit: "Active Workunit",
Activities: "Activities",
ActivitiesLegacy: "Activities (L)",
Activity: "Activity",
ActivityLabel: "Activity Label",
ActivityMap: "Activity Map",
ActualSize: "Actual Size",
Add: "Add",
Added: "Added",
AddAttributes: "Add attributes/values to your method",
AddAttributes2: "Add Attribute(s)",
AddBinding: "Add Binding",
AddFile: "Add File",
AddGroup: "Add Group",
AddResource: "Add Resource",
AddtionalProcessesToFilter: "Addtional Processes To Filter",
AdditionalResources: "Additional Resources",
AddPart: "Add Part",
AddProcessMap: "Add Package Map",
AddTheseFilesToDali: "Add these files to Dali?",
AddToFavorites: "Add to favorites",
AddToSuperfile: "Add To Superfile",
AddToExistingSuperfile: "Add to an existing superfile",
AddUser: "Add User",
Advanced: "Advanced",
Age: "Age",
All: "All",
AllowAccess: "Allow Access",
AllowForeignFiles: "Allow Foreign Files",
AllowFull: "Allow Full",
AllQueries: "All Queries",
AllowRead: "Allow Read",
AllowWrite: "Allow Write",
AllQueuedItemsCleared: "All Queued items have been cleared. The current running job will continue to execute.",
Analyze: "Analyze",
Apps: "Apps",
ANY: "ANY",
AnyAdditionalProcessesToFilter: "Any Addtional Processes To Filter",
Append: "Append",
AppendCluster: "Append Cluster",
Apply: "Apply",
AreYouSureYouWantToResetTheme: "Are you sure you want to reset to the default theme?",
ArchiveECLWorkunit: "Archive ECL Workunit",
ArchiveDFUWorkunit: "Archive DFU Workunit",
ArchivedOnly: "Archived Only",
ArchivedWarning: "Warning: please specify a small date range. If not, it may take some time to retrieve the workunits and the browser may be timed out.",
Attach: "Attach",
Audience: "Audience",
Audit: "Audit",
AuditLogs: "Audit Log",
BinaryInstalls: "Binary Installs",
BuildDate: "Build Date",
Attribute: "Attribute",
AttributesAreRequired: "Attributes are required",
AutoRefresh: "Auto Refresh",
AutoRefreshIncrement: "Auto Refresh Increment",
AutoRefreshEvery: "Auto refresh every x minutes",
Back: "Back",
BannerColor: "Banner Color",
BannerColorTooltip: "Change the background color of the top navigation",
BannerMessage: "Banner Message",
BannerMessageTooltip: "Change the title displayed in the top navigation (default \"ECL Watch\")",
BannerScroll: "Banner Scroll",
BannerSize: "Banner Size (in pixels)",
Bind: "Bind",
Binding: "Binding",
BindingDeleted: "Binding Deleted",
Blob: "BLOB",
Blobs: "Blobs",
BlobPrefix: "BLOB Prefix",
Blooms: "Blooms",
Bottom: "Bottom",
BoundBy: "bound by:",
Branches: "Branches",
BrowserStats: "Browser Stats",
Busy: "Busy",
CallerID: "Caller ID",
CausedBy: "caused by",
Cancel: "Cancel",
CancelAll: "Cancel All",
CancelAllMessage: "Abort running jobs and clear queue. Do you wish to continue?",
CancelUploadConfirm: "Cancel the current upload?",
CannotDisplayBinaryData: "Cannot display binary data.",
Category: "Category",
Chart: "Chart",
Channel: "Channel",
CheckAllNodes: "Check All Nodes",
CheckFilePermissions: "Check File Permissions",
CheckSingleNode: "Check Single Node",
Class: "Class",
Clear: "Clear",
Client: "Client",
Clone: "Clone",
CloneTooltip: "Duplicate workunit",
Close: "Close",
CloseModal: "Close popup modal",
Cluster: "Cluster",
ClusterName: "Cluster Name",
ClusterPlaceholder: "r?x*",
ClusterProcesses: "Cluster Processes",
Code: "Code",
CodeGenerator: "Code Generator",
Col: "Col",
CollapseAll: "Collapse All",
Columns: "Columns",
ColumnMode: "Column Mode",
Command: "Command",
Comment: "Comment",
CompileCost: "Compile Cost",
Compiled: "Compiled",
Compiling: "Compiling",
Compilation: "Compilation",
Completed: "Completed",
ComplexityWarning: "More than {threshold} activities ({activityCount}) - suppress initial display?",
CompressedFileSize: "Compressed File Size",
Component: "Component",
Components: "Components",
ComponentLogs: "Component Log",
Compress: "Compress",
Compressed: "Compressed",
CompressedSize: "Compressed Size",
Compression: "Compression",
CompressionType: "Compression Type",
ComputerUpTime: "Computer Up Time",
Condition: "Condition",
ConfigureService: "Configure service",
Configuration: "Configuration",
ConfirmPassword: "Confirm Password",
ConfirmRemoval: "Are you sure you want to do this?",
ConnectionID: "Connection ID",
ContactAdmin: "If you wish to rename this group, please contact your LDAP admin.",
Container: "Container",
ContainerName: "Container Name",
ContinueWorking: "Continue Working",
Content: "Content",
Contents: "Contents",
ContentType: "Content Type",
Cookies: "Cookies",
CookiesNoticeLinkText: "Our Cookie Notice",
CookiesAcceptButtonText: "Allow Cookies",
Copy: "Copy",
CopyOpenTelemetry: "Copy Open Telemetry",
CopyToClipboard: "Copy to clipboard",
CopyURLToClipboard: "Copy URL to clipboard",
CopyWUID: "Copy WUID",
CopyWUIDs: "Copy WUIDs to clipboard",
CopyWUIDToClipboard: "Copy WUID to clipboard",
CopyLogicalFiles: "Copy Logical Files to clipboard",
CopyLogicalFilename: "Copy Logical Filename",
CopySelectionToClipboard: "Copy selection to clipboard",
Copied: "Copied!",
Cost: "Cost",
Costs: "Cost(s)",
Count: "Count",
CountFailed: "Count Failed",
CountTotal: "Count Total",
CPULoad: "CPU Load",
Create: "Create",
CreateANewFile: "Create a new superfile",
Created: "Created",
CreatedByWorkunit: "Created by workunit",
Creating: "Creating",
CreatedBy: "Created By",
CreatedTime: "Created Time",
Critical: "Critical",
ClearPermissionsCache: "Clear Permissions Cache",
ClearPermissionsCacheConfirm: "Are you sure you want to clear the DALI and ESP permissions caches? Running workunit performance might degrade significantly until the caches have been refreshed.",
ClonedWUID: "Cloned WUID",
CrossTab: "Cross Tab",
CSV: "CSV",
CustomLogColumns: "Custom Log Columns",
CustomRange: "Custom Range",
Dali: "Dali",
DaliAdmin: " Dali Admin",
DaliIP: "DaliIP",
DaliExportConfirm: "Are you sure you want to export the Dali file system? Files can be large and take time to export.",
DaliExportPathConfirm: "Your path \" / \" is broad and may take a long time to export. Are you sure you want to continue?",
DaliPromptConfirm: "Are you sure? Dali Admin submissions are permanent and cannot be undone.",
Dashboard: "Dashboard",
DataPatterns: "Data Patterns",
DataPatternsDefnNotFound: "File Definition not found. Data Patterns cannot be started.",
DataPatternsNotStarted: "Analysis not found. To start, press Analyze button above.",
DataPatternsStarted: "Analyzing. Once complete report will display here.",
dataset: ":=dataset*",
Data: "Data",
Date: "Date",
Day: "Day",
Days: "Days",
Deactivate: "Deactivate",
Debug: "Debug",
DEF: "DEF",
Default: "Default",
Defaults: "Defaults",
Definition: "Definition",
DefinitionID: "Definition ID",
Definitions: "Definitions",
DefinitionDeleted: "Definition deleted",
DelayedReplication: "Delayed replication",
Delete: "Delete",
DeleteBinding: "Delete Binding",
DeletedBinding: "Deleted Binding",
Deleted: "Deleted",
DeleteEmptyDirectories: "Delete empty directories?",
DeleteDirectories: "Remove empty directories. Do you wish to continue?",
DeletePrevious: "Delete Previous",
DeleteSelectedDefinitions: "Delete selected definitions?",
DeleteSelectedFiles: "Delete Selected Files?",
DeleteSelectedGroups: "Delete selected group(s)?",
DeleteSelectedPackages: "Delete selected packages?",
DeleteSelectedPermissions: "Delete selected permission(s)?",
DeleteSelectedQueries: "Delete Selected Queries?",
DeleteSelectedUsers: "Delete selected user(s)?",
DeleteSelectedWorkunits: "Delete Selected Workunits?",
DeleteSuperfile: "Delete Superfile?",
DeleteSuperfile2: "Delete Superfile",
DeleteThisPackage: "Delete this package?",
Delimited: "Delimited",
DenyAccess: "Deny Access",
DenyFull: "Deny Full",
DenyRead: "Deny Read",
DenyWrite: "Deny Write",
Depth: "Depth",
DepthTooltip: "Maximum Subgraph Depth",
Deschedule: "Deschedule",
DescheduleSelectedWorkunits: "Deschedule Selected Workunits?",
Description: "Description",
DESDL: "Dynamic ESDL",
DeselectAll: "Deselect All",
Despray: "Despray",
Details: "Details",
DFSCheck: "DFS Check",
DFSExists: "DFS Exists",
DFSLS: "DFS LS",
DFUServerName: "DFU Server Name",
DFUWorkunit: "DFU Workunit",
Directories: "Directories",
Directory: "Directory",
DiskSize: "Disk Size",
DisableScopeScans: "Disable Scope Scans",
DisableScopeScanConfirm: "Are you sure you want to disable Scope Scans? Changes will revert to configuration settings on DALI reboot.",
DiskUsage: "Disk Usage",
dismiss: "dismiss",
dismissAll: "dismiss all",
Distance: "Distance",
DistanceTooltip: "Maximum Activity Neighbourhood Distance",
Dll: "Dll",
DoNotActivateQuery: "Do not activate query",
DoNotRepublish: "Do not republish?",
Documentation: "Documentation",
Domain: "Domain",
DOT: "DOT",
DOTAttributes: "DOT Attributes",
Down: "Down",
Download: "Download",
Downloads: "Downloads",
DownloadToCSV: "Download to CSV",
DownloadToCSVNonFlatWarning: "Please note: downloading files containing nested datasets as comma-separated data may not be formatted as expected",
DownloadToDOT: "Download to DOT",
DownloadSelectionAsCSV: "Download selection as CSV",
DropZone: "Drop Zone",
DueToInctivity: "You will be logged out of all ECL Watch sessions in 3 minutes due to inactivity.",
Duration: "Duration",
DynamicNoServicesFound: "No services found",
EBCDIC: "EBCDIC",
ECL: "ECL",
ECLLayoutNotAvailable: "ECL layout is not available for this file",
ECLWatchRequiresCookies: "ECL Watch requires cookies enabled to continue.",
ECLWatchSessionManagement: "ECL Watch session management",
ECLWatchVersion: "ECL Watch Version",
ECLWorkunit: "ECL Workunit",
EdgeLabel: "Edge Label",
Edges: "Edges",
Edit: "Edit",
EditDOT: "Edit DOT",
EditGraphAttributes: "Edit Graph Attributes",
EditXGMML: "Edit XGMML",
EmailTo: "Email Address (To)",
EmailFrom: "Email Address (From)",
EmailBody: "Email Body",
EmailSubject: "Email Subject",
EmployeeID: "Employee ID",
EmployeeNumber: "Employee Number",
Empty: "(Empty)",
EndPoint: "End Point",
EndTime: "End Time",
Enable: "Enable",
EnableBannerText: "Enable Environment Text",
EnableScopeScans: "Enable Scope Scans",
EnableScopeScansConfirm: "Are you sure you want to enable Scope Scans? Changes will revert to configuration settings on DALI reboot.",
EnglishQ: "English?",
EnterAPercentage: "Enter a percentage",
EnterAPercentageOrMB: "Enter A Percentage or MB",
EraseHistory: "Erase History",
EraseHistoryQ: "Erase history for:",
Error: "Error",
ErrorAbortingUpload: "Error Aborting Upload",
Errorparsingserverresult: "Error parsing server result",
Errors: "Error(s)",
ErrorLoadingConfigurationFile: "Error loading configuration file",
ErrorsStatus: "Errors/Status",
ErrorUploadingFile: "Error uploading file(s). Try checking permissions.",
ErrorWarnings: "Error/Warning(s)",
Escape: "Escape",
ESPBindings: "ESP Bindings",
ESPBuildVersion: "ESP Build Version",
ESPProcessName: "ESP Process Name",
ESPNetworkAddress: "ESP Network Address",
ExampleScopePlaceholder: "Filter by scope e.g. scope1::scope2",
EventName: "Event Name",
EventNamePH: "Event Name",
EventScheduler: "Event Scheduler",
EventText: "Event Text",
EventTextPH: "Event Text",
ExecuteCost: "Execution Cost",
Exception: "Exception",
ExcludeIndexes: "Exclude Indexes",
ExpireDays: "Expire in (days)",
ExpirationDate: "Expiration Date",
FactoryReset: "Factory Reset",
Failed: "Failed",
FailIfNoSourceFile: "Fail If No Source File",
Fatal: "Fatal",
Favorites: "Favorites",
Fetched: "Fetched",
FetchingData: "Fetching Data...",
FetchingErrorDetails: "Fetching error details",
fetchingresults: "fetching results",
Executed: "Executed",
Executing: "Executing",
ExpandAll: "Expand All",
Export: "Export",
ExportSelectionsToList: "Export Selections to List",
FieldNames: "Field Names",
File: "File",
FileAccessCost: "File Access Cost",
FileCostAtRest: "File Cost At Rest",
FileCluster: "File Cluster",
FileCounts: "File Counts",
FileName: "File Name",
FileParts: "File Parts",
FilePath: "File Path",
Files: "Files",
FilesPending: "Files pending",
FileScopes: "File Scopes",
FileScopeDefaultPermissions: "File Scope Default Permissions",
FileSize: "File Size",
FilesNoPackage: "Files without matching package definitions",
FilePermission: "File Permission",
FilePermissionError: "Error occurred while fetching file permissions.",
FilesWarning: "The number of files returned is too large. Only the first 100,000 files sorted by date/time modified were returned. If you wish to limit results, set a filter.",
FilesWithUnknownSize: "Files With Unknown Size",
FileType: "File Type",
FileUploader: "File Uploader",
FileUploadStillInProgress: "File upload still in progress",
Filter: "Filter",
FilterDetails: "Filter Details",
FilterMetricsTooltip: "This will filter based upon the \"Scope\" column by default. To filter on any other column, use the column name as a prefix to your search, eg: \"Filename:spill\"",
FilterSet: "Filter Set",
Find: "Find",
Finished: "Finished",
FindNext: "Find Next",
FindPrevious: "Find Previous",
FirstN: "First N",
FirstNSortBy: "Sort By",
FirstName: "First Name",
FirstNRows: "First N Rows",
Fixed: "Fixed",
Folder: "Folder",
Folders: "Folders",
Form: "Form",
Format: "Format",
Forums: "Forums",
Forward: "Forward",
FoundFile: "Found Files",
FoundFileMessage: "A found file has all of its parts on disk that are not referenced in the Dali server. All the file parts are accounted for so they can be added back to the Dali server. They can also be deleted from the cluster, if required.",
From: "From",
FromDate: "From Date",
FromSizes: "From Sizes",
FromTime: "From Time",
FullName: "Full Name",
Generate: "Generate",
GetDFSCSV: "DFS CSV",
GetDFSMap: "DFS Map",
GetDFSParents: "DFS Parents",
GetLastServerMessage: "Get Last Server Message",
GetLogicalFile: "Logical File",
GetLogicalFilePart: "Logical File Part",
GetProtectedList: "Protected List",
GetValue: "Value",
GetVersion: "Get Version",
GetPart: "Get Part",
GetSoftwareInformation: "Get Software Information",
GlobalMetrics: "Global Metrics",
Graph: "Graph",
Graphs: "Graphs",
GraphControl: "Graph Control",
GraphView: "Graph View",
Grid: "Grid",
GridAbortMessage: "Grid aborting stale request",
Group: "Group",
GroupBy: "Group By",
Grouping: "Grouping",
GroupDetails: "Group Details",
GroupName: "Group Name",
GroupPermissions: "Group Permissions",
Groups: "Groups",
GZip: "GZip",
help: "This area displays the treemap for the graph(s) in this workunit. The size and hue indicate the duration of each graph (Larger and darker indicates a greater percentage of the time taken.)",
Helper: "Helper",
Helpers: "Helpers",
Hex: "Hex",
HideSpills: "Hide Spills",
High: "High",
History: "History",
Home: "Home",
Homepage: "Homepage",
Hotspots: "Hot spots",
Hour: "Hour",
Hours: "Hours",
HPCCSystems: "HPCC Systems®",
HTML: "HTML",
Icon: "Icon",
ID: "ID",
IFrameErrorMsg: "Frame could not be loaded, try again.",
IgnoreGlobalStoreOutEdges: "Ignore Global Store Out Edges",
Import: "Import",
Inactive: "Inactive",
IncludePerComponentLogs: "Include per-component logs",
IncludeRelatedLogs: "Include related logs",
IncludePendingItems: "Include pending items",
IncludeSlaveLogs: "Include worker logs",
IncludeSubFileInfo: "Include sub file info?",
Index: "Index",
Indexes: "Indexes",
IndexesOnly: "Indexes Only",
Info: "Info",
Infos: "Info(s)",
Informational: "Informational",
InfoDialog: "Info Dialog",
InheritedPermissions: "Inherited permission:",
Inputs: "Inputs",
InstanceNumber: "Instance Number",
InUse: "In Use",
InvalidResponse: "(Invalid response)",
InvalidUsernamePassword: "Invalid username or password, try again.",
IP: "IP",
IPAddress: "IP Address",
IsCompressed: "Is Compressed",
IsLibrary: "Is Library",
IsReplicated: "Is Replicated",
IssueReporting: "Issue Reporting",
JobID: "Job ID",
Jobname: "Jobname",
JobName: "Job Name",
jsmi: "jsmi*",
JSmith: "JSmit*",
JSON: "JSON",
KeyFile: "Key File",
KeyType: "Key Type",
Label: "Label",
LandingZone: "Landing Zone",
LandingZones: "Landing Zones",
LanguageFiles: "Language Files",
Largest: "Largest",
LargestFile: "Largest File",
LargestSize: "Largest Size",
Last: "Last",
LastAccessed: "Last Accessed (UTC/GMT)",
LastAccessedLocalTime: "Last Accessed (Local Time)",
LastEdit: "Last Edit",
LastEditedBy: "Last Edited By",
LastEditTime: "Last Edit Time",
LastMessage: "Last Message",
LastName: "Last Name",
LastNDays: "Last N Days",
LastNHours: "Last N Hours",
LastNRows: "Last N Rows",
LastRun: "Last Run",
LatestReleases: "Latest Releases",
Layout: "Layout",
LearnMore: "Learn More",
Leaves: "Leaves",
LegacyForm: "Legacy Form",
LegacyGraphWidget: "Legacy Graph Widget",
LegacyGraphLayout: "Legacy Graph Layout",
Legend: "Legend",
Length: "Length",
LDAPWarning: "<b>LDAP Services Error:</b> ‘Too Many Users’ - Please use a Filter.",
LibrariesUsed: "Libraries Used",
LibraryName: "Library Name",
Limit: "Limit",
Line: "Line",
LineTerminators: "Line Terminators",
Links: "Links",
List: "List",
ListECLWorkunit: "List ECL Workunit",
ListDFUWorkunit: "List DFU Workunit",
LoadPackageContentHere: "(Load package content here)",
LoadPackageFromFile: "Load Package from a file",
Loading: "Loading...",
LoadingCachedLayout: "Loading Cached Layout...",
LoadingData: "Loading Data...",
loadingMessage: "...Loading...",
Local: "Local",
LocalFileSystemsOnly: "Local File Systems Only",
Location: "Location",
Lock: "Lock",
LogAccessType: "Log Access Type",
LogAccess_GenericException: "ws_logaccess::GetLogAccessInfo, an exception has occurred.",
LogAccess_LoggingNotConfigured: "A logging engine has not been configured.",
LogDirectory: "Log Directory",
LogEventType: "Log Event Type",
LogFile: "Log File",
LogFilterComponentsFilterTooltip: "Only include logs from the selected component/container",
LogFilterCustomColumnsTooltip: "Include the specified log columns",
LogFilterEndDateTooltip: "Include log lines up to time range end",
LogFilterEventTypeTooltip: "Only include entries for specified log event type",
LogFilterFormatTooltip: "Format of log file: CSV, JSON, or XML",
LogFilterLineLimitTooltip: "The number of log lines to be included",
LogFilterLineStartFromTooltip: "Include log lines starting at this line number",
LogFilterRelativeTimeRangeTooltip: "A time range surrounding the WU time, +/- (in seconds)",
LogFilterSelectColumnModeTooltip: "Specify which columns to include in log file",
LogFilterSortByTooltip: "ASC - oldest first, DESC - newest first",
LogFilterStartDateTooltip: "Include log lines from time range start",
LogFilterTimeRequired: "Choose either \"From and To Date\" or \"Relative Log Time Buffer\"",
LogFilterWildcardFilterTooltip: "A string of text upon which to filter log messages",
LogFiltersUnavailable: "Log Filters are unavailable",
LogFormat: "Log Format",
LogLineLimit: "Log Line Limit",
LogLineStartFrom: "Log Line Start From",
LoggedInAs: "Logged in as",
LogicalFile: "Logical File",
LogicalFiles: "Logical Files",
LogicalFilesAndSuperfiles: "Logical Files and Superfiles",
LogicalFilesOnly: "Logical Files Only",
LogicalFileType: "Logical File Type",
LogicalGraph: "Logical Graph",
LogicalName: "Logical Name",
LogicalNameMask: "Logical Name Mask",
Log: "Log",
LogFilters: "Log Filters",
LoggingOut: "Logging out",
Login: "Login",
Logout: "Log Out",
Logs: "Logs",
LogsDisabled: "Logs Disabled",
LogVisualization: "Log Visualization",
LogVisualizationUnconfigured: "Log Visualization is not configured, please check your configuration manager settings.",
log_analysis_1: "log_analysis_1*",
LostFile: "Lost Files",
LostFile2: "Lost Files",
LostFileMessage: "A logical file that is missing at least one file part on both the primary and replicated locations in storage. The logical file is still referenced in the Dali server. Deleting the file removes the reference from the Dali server and any remaining parts on disk.",
Low: "Low",
Machines: "Machines",
MachineNotFoundFor: "Machine not found for",
MachineInformation: "Machine Information",
Major: "Major",
ManagedBy: "Managed By",
ManagedByPlaceholder: "CN=HPCCAdmin,OU=users,OU=hpcc,DC=MyCo,DC=local",
ManualCopy: "Press Ctrl+C",
ManualOverviewSelection: "(Manual overview selection will be required)",
ManualTreeSelection: "(Manual tree selection will be required)",
Mappings: "Mappings",
Mask: "Mask",
MatchCase: "Match Case",
MatchWholeWord: "Match Whole Word",
Max: "Max",
Maximize: "Maximize",
MaxConnections: "Max Connections",
MaxNode: "Max Node",
MaxSize: "Max Size",
MaxSkew: "Max Skew",
MaxSkewPart: "Max Skew Part",
MaximizeRestore: "Maximize/Restore",
MaximumNumberOfSlaves: "Worker Number",
MaxRecordLength: "Max Record Length",
Mean: "Mean",
MeanBytesOut: "Mean Bytes Out",
MemberOf: "Member Of",
Members: "Members",
MemorySize: "Memory Size",
MethodConfiguration: "Method Configuration",
Message: "Message",
Methods: "Methods",
Metrics: "Metrics",
MetricOptions: "Metric Options",
MetricsGraph: "Metrics/Graph",
MetricsSQL: "Metrics (SQL)",
Min: "Min",
Minimize: "Minimize",
MinimumCompileCost: "Minimum Compile Cost",
MinimumExecuteCost: "Minimum Execute Cost",
MinimumFileAccessCost: "Minimum File Access Cost",
Mine: "Mine",
MinNode: "Min Node",
MinSize: "Min Size",
MinSkew: "Min Skew",
MinSkewPart: "Min Skew Part",
Minor: "Minor",
Minute: "Minute",
Minutes: "Minutes",
Missing: "Missing",
MixedNodeStates: "Mixed Node States",
Modified: "Modified",
Modification: "Modification",
ModifiedUTCGMT: "Modified (UTC/GMT)",
ModifiedLocalTime: "Modified (Local Time)",
Modify: "Modify",
Monitoring: "Monitoring",
MonitorEventName: "Monitor Event Name",
MonitorShotLimit: "Monitor Shot Limit",
MonitorSub: "Monitor Sub",
Month: "Month",
More: "more",
Move: "Move",
MoveBottomHint: "Move Bottom (ctrl+click-down)",
MoveDown: "Move Down",
MoveDownHint: "Move Down (ctrl+click move to bottom)",
MoveUp: "Move Up",
MoveUpHint: "Move Up (ctrl+click move to top)",
MustContainUppercaseAndSymbol: "Must contain uppercase and symbol",
NA: "N/A",
Name: "Name",
NameOfEnvironment: "Name Of Environment",
NamePrefix: "Name Prefix",
NamePrefixPlaceholder: "some::prefix",
NavWide: "Navigation Wide Mode",
NetworkAddress: "Network Address",
Newest: "Newest",
NewPassword: "New Password",
NextSelection: "Next Selection",
NextWorkunit: "Next Workunit",
NoContent: "(No content)",
NoContentPleaseSelectItem: "No content - please select an item",
NoCommon: "No Common",
noDataMessage: "...Zero Rows...",
Node: "Node",
NodeGroup: "Node Group",
None: "None",
NoErrorFound: "No errors found\n",
NoFilterCriteriaSpecified: "No filter criteria specified.",
NoPublishedSize: "No published size",
NoRecentFiltersFound: "No recent filters found.",
NoScheduledEvents: "No Scheduled Events.",
NoSplit: "No Split",
NotActive: "Not active",
NotAvailable: "Not available",
NothingSelected: "Nothing Selected...",
NotInSuperfiles: "Not in Superfiles",
Normal: "Normal",
NotSuspended: "Not Suspended",
NotSuspendedbyUser: "Not Suspended By User",
NoWarningFound: "No warnings found\n",
NumberOfNodes: "Number of Nodes",
NumberofParts: "Number of Parts",
NumberofSlaves: "Number of Workers",
Of: "Of",
of: "of",
Off: "Off",
OK: "OK",
Oldest: "Oldest",
OldPassword: "Old Password",
OmitSeparator: "Omit Separator",
On: "On",
Only1PackageFileAllowed: "Only one package file allowed",
Open: "Open",
OpenConfiguration: "Open Configuration",
OpenInNewPage: "Open in New Page",
OpenInNewPageNoFrame: "Open in New Page (No Frame)",
OpenLegacyECLWatch: "Open Legacy ECL Watch",
OpenLegacyMode: "Open (L)",
OpenModernECLWatch: "Open Modern ECL Watch",
OpenNativeMode: "Open (native)",
OpenSource: "Open Source",
Operation: "Operation",
Operations: "Operations",
Options: "Options",
Optimize: "Optimize",
OriginalFile: "Original File",
OriginalSize: "Original Size",
OrphanFile: "Orphan Files",
OrphanFile2: "Orphan File",
OrphanMessage: "An orphan file has partial file parts on disk. However, a full set of parts is not available to construct a complete logical file. There is no reference to these file parts in the Dali server.",
OSStats: "OS Stats",
Other: "Other",
Others: "Other(s)",
Outputs: "Outputs",
Overview: "Overview",
Overwrite: "Overwrite",
OverwriteMessage: "Some file(s) already exist. Please check overwrite box to continue.",
Owner: "Owner",
PackageContent: "Package Content",
PackageContentNotSet: "Package content not set",
PackageMap: "Package Map",
PackageMaps: "Package Maps",
PackagesNoQuery: "Packages without matching queries",
PageSize: "Page Size",
ParameterXML: "Parameter XML",
Part: "Part",
PartName: "Part Name",
PartNumber: "Part Number",
PartMask: "Part Mask",
Parts: "Parts",
PartsFound: "Parts Found",
PartsLost: "Parts Lost",
Password: "Password",
PasswordExpiration: "Password Expiration",
PasswordOpenZAP: "Password to open ZAP (optional)",
PasswordsDoNotMatch: "Passwords do not match.",
PasswordExpired: "Your password has expired. Please change now.",
PasswordExpirePrefix: "Your password will expire in ",
PasswordExpirePostfix: " day(s). Do you want to change it now?",
PasswordNeverExpires: "Password never expires",
Path: "Path",
PathAndNameOnly: "Path and name only?",
PathMask: "Path Mask",
Pause: "Pause",
PauseNow: "Pause Now",
PctComplete: "% Complete",
PercentCompressed: "Percent Compressed",
PercentCompression: "Percent Compression",
PercentDone: "Percent Done",
Percentile97: "Percentile 97",
Percentile97Estimate: "Percentile 97 Estimate",
PercentUsed: "% Used",
PerformingLayout: "⚡Performing Layout⚡",
PerformingLayoutLongRunning: "⏳Performing Layout⏳ Impatient? Pick a different ⬆️root⬆️",
PerformingLayoutFailed: "❌Layout Failed❌ Pick a different ⬆️root⬆️",
PermissionName: "Permission Name",
Permission: "Permission",
Permissions: "Permissions",
PhysicalFiles: "Physical Files",
PhysicalMemory: "Physical Memory",
PlaceholderFindText: "Wuid, User, (ecl:*, file:*, dfu:*, query:*)...",
PlaceholderFirstName: "John",
PlaceholderLastName: "Smith",
Platform: "Platform",
PlatformBuildIsNNNDaysOld: "Platform build is NNN days old.",
Playground: "Playground",
PleaseEnableCookies: "This site uses cookies. To see how cookies are used, please review our cookie notice. If you agree to our use of cookies, please continue to use our site.",
PleaseLogIntoECLWatch: "Please log into ECL Watch",
PleasePickADefinition: "Please pick a definition",
PleaseUpgradeToLaterPointRelease: "Please upgrade to a later point release.",
PleaseSelectAGroupToAddUser: "Please select a group to add the user to",
PleaseSelectAUserOrGroup: "Please select a user or a group along with a file name",
PleaseSelectAUserToAdd: "Please select a user to add",
PleaseSelectADynamicESDLService: "Please select a dynamic ESDL service",
PleaseSelectAServiceToBind: "Please select a service to bind",
PleaseSelectATopologyItem: "Please select a target, service or machine.",
PleaseEnterANumber: "Please enter a number 1 - ",
PleaseLogin: "Please log in using your username and password",
Plugins: "Plugins",
PodName: "Pod Name",
Pods: "Pods",
PodsAccessError: "Cannot retrieve list of pods",
Port: "Port",
PotentialSavings: "Potential Savings",
Prefix: "Prefix",
PrefixPlaceholder: "filename{:length}, filesize{:[B|L][1-8]}",
Preflight: "Preflight",
PreloadAllPackages: "Preload All Packages",
PreserveCompression: "Preserve Compression",
PreserveParts: "Preserve File Parts",
PressCtrlCToCopy: "Press ctrl+c to copy.",
Preview: "Preview",
PreviousSelection: "Previous Selection",
PreviousWorkunit: "Previous Workunit",
PrimaryLost: "Primary Lost",
PrimaryMonitoring: "Primary Monitoring",
Priority: "Priority",
Probability: "Probability",
Process: "Process",
ProcessID: "Process ID",
Processes: "Processes",
ProcessesDown: "Processes Down",
ProcessFilter: "Process Filter",
ProcessorInformation: "Processor Information",
ProgressMessage: "Progress Message",
Properties: "Properties",
Property: "Property",
Protect: "Protect",
ProtectBy: "Protected by",
Protected: "Protected",
Protocol: "Protocol",
Publish: "Publish",
Published: "Published",
PublishedBy: "Published By",
PublishedByMe: "Published by me",
PublishedQueries: "Published Queries",
PushEvent: "Push Event",
Quarter: "Quarter",
Queries: "Queries",
QueriesNoPackage: "Queries without matching package",
Query: "Query",
QueryDetailsfor: "Query Details for",
QueryID: "Query ID",
QueryIDPlaceholder: "som?q*ry.1",
QueryName: "Query Name",
QueryNamePlaceholder: "My?Su?erQ*ry",
QuerySet: "Query Set",
Queue: "Queue",
QuickSelect: "Quick Select",
Quote: "Quote",
QuotedTerminator: "Quoted Terminator",
RawData: "Raw Data",
RawTextPage: "Raw Text (Current Page)",
Ready: "Ready",
ReallyWantToRemove: "Really want to remove?",
ReAuthenticate: "Reauthenticate to unlock",
RecentFilters: "Recent Filters",
RecentFiltersTable: "Recent Filters Table",
RecreateQuery: "Recreate Query",
RecordCount: "Record Count",
RecordLength: "Record Length",
Records: "Records",
RecordSize: "Record Size",
RecordStructurePresent: "Record Structure Present",
Recover: "Recover",
RecoverTooltip: "Restart paused / stalled workunit",
Recursively: "Recursively?",
Recycling: "Recycling",
RedBook: "Red Book",
Refresh: "Refresh",
RelativeTimeRange: "Relative Time Range",
ReleaseNotes: "Release Notes",
Reload: "Reload",
Remaining: "Remaining",
RemoteCopy: "Remote Copy",
RemoteDali: "Remote Dali",
RemoteDaliIP: "Remote Dali IP Address",
RemoteStorage: "Remote Storage",
Remove: "Remove",
RemoveAtttributes: "Remove Attribute(s)",
RemoveAttributeQ: "You are about to remove this attribute. Are you sure you want to do this?",
RemoveFromFavorites: "Remove from favorites",
RemovePart: "Remove Part",
RemoveSubfiles: "Remove Subfile(s)",
RemoveSubfiles2: "Remove Subfile(s)?",
RemoveUser: "You are about to remove yourself from the group:",
Rename: "Rename",
RenderedSVG: "Rendered SVG",
RenderSVG: "Render SVG",
Replicate: "Replicate",
ReplicatedLost: "Replicated Lost",
ReplicateOffset: "Replicate Offset",
Report: "Report",
RepresentsASubset: "represent a subset of the total number of matches. Using a correct filter may reduce the number of matches.",
RequestSchema: "Request Schema",
RequiredForFixedSpray: "Required for fixed spray",
RequiredForXML: "Required for spraying XML",
Reschedule: "Reschedule",
Reset: "Reset",
ResetUserSettings: "Reset User Settings",
ResetThisQuery: "Reset This Query?",
ResetViewToSelection: "Reset View to Selection",
Resource: "Resource",
Resources: "Resources",
Restricted: "Restricted",
ResponseSchema: "Response Schema",
Restart: "Restart",
Restarted: "Restarted",
Restarts: "Restarts",
Restore: "Restore",
RestoreECLWorkunit: "Restore ECL Workunit",
RestoreDFUWorkunit: "Restore DFU Workunit",
Resubmit: "Resubmit",
ResubmitTooltip: "Resubmit existing workunit",
Resubmitted: "Resubmitted",
Results: "Result(s)",
Resume: "Resume",
RetainSuperfileStructure: "Retain Superfile Structure",
RetainSuperfileStructureReason: "Retain Superfile Structure must be enabled when more than 1 subfile exists.",
RetypePassword: "Retype Password",
Reverse: "Reverse",
RoxieFileCopy: "Roxie Files Copy Status",
RoxieState: "Roxie State",
Rows: "Rows",
RowPath: "Row Path",
RowTag: "Row Tag",
RoxieCluster: "Roxie Cluster",
RunningServerStrain: "Running this process may take a long time and will put a heavy strain on the servers. Do you wish to continue?",
Sample: "Sample",
SampleRequest: "Sample Request",
SampleResponse: "Sample Response",
Sasha: "Sasha",
Save: "Save",
SaveAs: "Save As",
Scope: "Scope",
ScopeColumns: "Scope Columns",
ScopeTypes: "Scope Types",
SearchResults: "Search Results",
Seconds: "Seconds",
SecondsRemaining: "Seconds Remaining",
Security: "Security",
SecurityWarning: "Security Warning",
SecurityMessageHTML: "Only view HTML from trusted users. This workunit was created by \"{__placeholder__}\". \nRender HTML?",
SeeConfigurationManager: "See Configuration Manager",
SelectA: "Select a",
SelectAll: "Select All",
SelectAnOption: "Select an option",
SelectDateRange: "Select date range",
Selected: "Selected",
SelectValue: "Select a value",
SelectEllipsis: "Select...",
SelectPackageFile: "Select Package File",
SelectWorkunitToRestore: "Please select one or more workunits to restore.",
SendEmail: "Send Email",
Separators: "Separators",
Sequence: "Sequence",
ServiceName: "Service Name",
Services: "Services",
ServiceType: "Service Type",
Server: "Server",
SetBanner: "Set Banner",
SetLogicalFileAttribute: "Set Logical File Attribute",
SetProtected: "Set Protected",
SetTextError: "Failed to display text (too large?). Use ‘helpers’ to download.",
SetToFailed: "Set To Failed",
SetToolbar: "Set Toolbar",
SetToolbarColor: "Set Toolbar Color",
SetUnprotected: "Set Unprotected",
SetValue: "Set Value",
Severity: "Severity",
ShareWorkunit: "Share Workunit URL",
Show: "Show",
ShowPassword: "Show Password",
ShowProcessesUsingFilter: "Show Processes Using Filter",
ShowSVG: "Show SVG",
Size: "Size",
SizeEstimateInMemory: "Size Estimate in Memory",
SizeMeanPeakMemory: "Size Mean Peak Memory",
SizeOnDisk: "Size on Disk",
Skew: "Skew",
SkewNegative: "Skew(-)",
SkewPositive: "Skew(+)",
SLA: "SLA",
Slaves: "Workers",
SlaveLogs: "Worker Logs",
SlaveNumber: "Worker Number",
Smallest: "Smallest",
SmallestFile: "Smallest File",
SmallestSize: "Smallest Size",
SOAP: "SOAP",
SomeDescription: "Some*Description",
somefile: "*::somefile*",
Sort: "Sort",
Source: "Source",
SourceCode: "Source Code",
SourceLogicalFile: "Source Logical Name",
SourcePath: "Source Path (Wildcard Enabled)",
SourceProcess: "Source Process",
Span: "Span",
SparkThor: "SparkThor",
Spill: "Spill",
SplitPrefix: "Split Prefix",
Spray: "Spray",
SQL: "SQL",
Start: "Start",
Started: "Started",
Starting: "Starting",
StartTime: "Start Time",
State: "State",
Status: "Status",
Stats: "Stats",
Stopped: "Stopped",
Stopping: "Stopping",
StorageInformation: "Storage Information",
StorageStateParseFailure: "Failed to parse stored state",
StorageStateWriteFailure: "Writing data to store failed",
Subfiles: "Subfiles",
Subgraph: "Subgraph",
SubgraphLabel: "Subgraph Label",
Subgraphs: "Subgraphs",
Submit: "Submit",
Subtype: "Subtype",
SuccessfullySaved: "Successfully Saved",
Summary: "Summary",
SummaryMessage: "Summary Message",