@topconsultnpm/sdkui-react 6.19.0-dev1.54 → 6.19.0-dev1.56

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (55) hide show
  1. package/lib/components/base/TMCustomButton.d.ts +11 -0
  2. package/lib/components/base/TMCustomButton.js +63 -0
  3. package/lib/components/base/TMLayout.d.ts +2 -1
  4. package/lib/components/base/TMLayout.js +2 -2
  5. package/lib/components/features/archive/TMArchive.d.ts +8 -0
  6. package/lib/components/features/archive/TMArchive.js +3 -3
  7. package/lib/components/features/documents/TMDcmtBlog.d.ts +8 -0
  8. package/lib/components/features/documents/TMDcmtBlog.js +3 -3
  9. package/lib/components/features/documents/TMDcmtForm.d.ts +8 -1
  10. package/lib/components/features/documents/TMDcmtForm.js +52 -21
  11. package/lib/components/features/documents/TMDcmtTasks.d.ts +12 -0
  12. package/lib/components/features/documents/TMDcmtTasks.js +24 -0
  13. package/lib/components/features/documents/TMMasterDetailDcmts.d.ts +8 -1
  14. package/lib/components/features/documents/TMMasterDetailDcmts.js +5 -5
  15. package/lib/components/features/search/TMSearch.d.ts +8 -1
  16. package/lib/components/features/search/TMSearch.js +3 -3
  17. package/lib/components/features/search/TMSearchResult.d.ts +8 -1
  18. package/lib/components/features/search/TMSearchResult.js +14 -11
  19. package/lib/components/features/search/TMSearchResultsMenuItems.js +1 -1
  20. package/lib/components/features/tasks/TMTaskForm.d.ts +37 -0
  21. package/lib/components/features/tasks/TMTaskForm.js +291 -0
  22. package/lib/components/features/tasks/TMTasksAgenda.d.ts +17 -0
  23. package/lib/components/features/tasks/TMTasksAgenda.js +107 -0
  24. package/lib/components/features/tasks/TMTasksCalendar.d.ts +21 -0
  25. package/lib/components/features/tasks/TMTasksCalendar.js +240 -0
  26. package/lib/components/features/tasks/TMTasksHeader.d.ts +14 -0
  27. package/lib/components/features/tasks/TMTasksHeader.js +37 -0
  28. package/lib/components/features/tasks/TMTasksPanelContent.d.ts +19 -0
  29. package/lib/components/features/tasks/TMTasksPanelContent.js +64 -0
  30. package/lib/components/features/tasks/TMTasksUtils.d.ts +131 -0
  31. package/lib/components/features/tasks/TMTasksUtils.js +634 -0
  32. package/lib/components/features/tasks/TMTasksUtilsView.d.ts +32 -0
  33. package/lib/components/features/tasks/TMTasksUtilsView.js +107 -0
  34. package/lib/components/features/tasks/TMTasksView.d.ts +39 -0
  35. package/lib/components/features/tasks/TMTasksView.js +554 -0
  36. package/lib/components/features/workflow/TMWorkflowPopup.js +2 -2
  37. package/lib/components/grids/TMBlogAttachments.js +2 -2
  38. package/lib/components/grids/TMBlogsPost.d.ts +8 -5
  39. package/lib/components/grids/TMBlogsPost.js +28 -28
  40. package/lib/components/grids/TMBlogsPostUtils.js +1 -1
  41. package/lib/components/index.d.ts +8 -0
  42. package/lib/components/index.js +9 -0
  43. package/lib/helper/SDKUI_Localizator.d.ts +55 -4
  44. package/lib/helper/SDKUI_Localizator.js +536 -25
  45. package/lib/helper/TMCustomSearchBar.d.ts +8 -0
  46. package/lib/helper/TMCustomSearchBar.js +54 -0
  47. package/lib/helper/TMImageLibrary.d.ts +3 -2
  48. package/lib/helper/TMImageLibrary.js +230 -230
  49. package/lib/helper/TMToppyMessage.js +1 -1
  50. package/lib/helper/TMUtils.d.ts +10 -1
  51. package/lib/helper/TMUtils.js +42 -1
  52. package/lib/helper/dcmtsHelper.d.ts +2 -0
  53. package/lib/helper/dcmtsHelper.js +18 -0
  54. package/lib/stories/TMSDKUI_Localizator.stories.js +1 -1
  55. package/package.json +1 -1
@@ -30,7 +30,7 @@ const TMBlogsPost = (props) => {
30
30
  isRestoreEnabled: false,
31
31
  isRefreshEnabled: false,
32
32
  isCreateContextualTask: false,
33
- }, showFloatingCommentButton = false, showCommentFormCallback, showTaskFormCallback, refreshCallback, showId, setShowId, refreshHomePageNews, handleNavigateToWGs, handleNavigateToDossiers, markBlogAsRead, externalBlogPost, resetExternalBlogPost } = props;
33
+ }, showFloatingCommentButton = false, showCommentFormCallback, showTaskFormCallback, refreshCallback, showId, setShowId, refreshHomePageNews, markBlogAsRead, externalBlogPost, resetExternalBlogPost, allTasks = [], getAllTasks, deleteTaskByIdsCallback, addTaskCallback, editTaskCallback, handleNavigateToWGs, handleNavigateToDossiers, } = props;
34
34
  const { abortController, showWaitPanel, waitPanelTitle, showPrimary, waitPanelTextPrimary, waitPanelValuePrimary, waitPanelMaxValuePrimary, showSecondary, waitPanelTextSecondary, waitPanelValueSecondary, waitPanelMaxValueSecondary, downloadDcmtsAsync } = useDcmtOperations();
35
35
  const bottomRef = useRef(null);
36
36
  const containerRef = useRef(null);
@@ -211,7 +211,7 @@ const TMBlogsPost = (props) => {
211
211
  else {
212
212
  // If no items are selected, check if auto-scroll is enabled and if the bottom reference exists
213
213
  if (scrollToBottom && bottomRef.current)
214
- bottomRef.current.scrollIntoView();
214
+ bottomRef.current.scrollIntoView({ block: "nearest", inline: "nearest" });
215
215
  }
216
216
  }, [scrollToBottom, blogPosts, scrollToSelected, selectedItem]);
217
217
  useEffect(() => {
@@ -598,31 +598,31 @@ const TMBlogsPost = (props) => {
598
598
  boxShadow: isFocused ? "0 4px 12px rgba(19, 85, 150, 0.6)" : "none",
599
599
  cursor: 'pointer',
600
600
  }, children: [_jsx(BlogPostTitle, { displayMode: displayMode, layoutMode: layoutMode, blogPost: blogPost, isSelected: isSelected, isOwnComment: isOwnComment, searchText: searchText, isSys: isSys, isHomeBlogPost: isHomeBlogPost, showId: localShowId, handleNavigateToWGs: handleNavigateToWGs, handleNavigateToDossiers: handleNavigateToDossiers }), isNew && _jsx(NewBadge, { layoutMode: layoutMode }), _jsx("div", { style: { fontSize: '1rem', color: "#000", marginTop: "10px", overflow: "hidden" }, children: _jsx(TMHtmlContentDisplay, { markup: blogPost.description ?? '-', searchText: searchText, isSelected: isSelected }) }), showExtendedAttachments && blogPost.attachments && blogPost.attachments.length > 0 && (_jsx(TMBlogAttachments, { contextMenuParams: contextMenuParams, attachments: blogPost.attachments, layoutMode: layoutMode, isSelected: isSelected, searchText: searchText, dcmtTypeDescriptors: dcmtTypeDescriptors, treeFs: treeFs, draftLatestInfoMap: draftLatestInfoMap, archivedDocumentMap: archivedDocumentMap, context: context, handleAttachmentFocus: handleFocusedAttachment, openDcmtForm: openDcmtForm }))] }, `${id}-blogpost-${blogPost.id}`) })] }, "blog-post-wrapper-" + id + "-" + blogPost.id);
601
- }), _jsx("div", { ref: bottomRef }), anchorEl && _jsx("div", { style: { position: 'fixed', zIndex: 9999 }, children: _jsx(ContextMenu, { dataSource: menuItems, target: anchorEl, onHiding: closeContextMenu }) }), (dcmtForm.dcmt && dcmtForm.dcmt.TID && dcmtForm.dcmt.DID) && _jsx(TMDcmtForm, { TID: Number(dcmtForm.dcmt.TID), DID: Number(dcmtForm.dcmt.DID), layoutMode: LayoutModes.Update, onClose: closeDcmtForm, isClosable: true, titleModal: SDKUI_Localizator.Attachment + ": " + dcmtForm.dcmt.fileName, isModal: true, widthModal: "95%", heightModal: "95%" }), (showFloatingCommentButton && showCommentFormCallback && !(context?.engine === 'WorkingGroupEngine' && context?.object?.customData1 === 1)) && _jsx("button", { style: {
602
- position: 'absolute',
603
- bottom: '18px',
604
- right: '20px',
605
- width: '40px',
606
- height: '40px',
607
- borderRadius: "50%",
608
- backgroundColor: "#C2388B",
609
- color: '#fff',
610
- border: 'none',
611
- cursor: 'pointer',
612
- boxShadow: '0 2px 6px rgba(0,0,0,0.2)',
613
- zIndex: 1000,
614
- transition: 'background-color 0.3s ease, transform 0.2s ease',
615
- display: 'flex',
616
- justifyContent: 'center',
617
- alignItems: 'center',
618
- }, onMouseEnter: (e) => {
619
- e.currentTarget.style.backgroundColor = '#D94A9F';
620
- e.currentTarget.style.transform = 'scale(1.1)';
621
- e.currentTarget.style.boxShadow = '0 4px 12px rgba(37, 89, 165, 0.6)';
622
- }, onMouseLeave: (e) => {
623
- e.currentTarget.style.backgroundColor = "#C2388B";
624
- e.currentTarget.style.transform = 'scale(1)';
625
- e.currentTarget.style.boxShadow = '0 2px 6px rgba(0,0,0,0.2)';
626
- }, onClick: () => { showCommentFormCallback(undefined); }, children: _jsx(TMTooltip, { content: SDKUI_Localizator.AddNewComment, children: _jsx("i", { className: "dx-icon-chat", style: { fontSize: '25px' } }) }) })] })] })] }) }) });
601
+ }), _jsx("div", { ref: bottomRef }), anchorEl && _jsx("div", { style: { position: 'fixed', zIndex: 9999 }, children: _jsx(ContextMenu, { dataSource: menuItems, target: anchorEl, onHiding: closeContextMenu }) })] }), (dcmtForm.dcmt && dcmtForm.dcmt.TID && dcmtForm.dcmt.DID) && _jsx(TMDcmtForm, { TID: Number(dcmtForm.dcmt.TID), DID: Number(dcmtForm.dcmt.DID), layoutMode: LayoutModes.Update, onClose: closeDcmtForm, isClosable: true, titleModal: SDKUI_Localizator.Attachment + ": " + dcmtForm.dcmt.fileName, isModal: true, widthModal: "95%", heightModal: "95%", allTasks: allTasks, getAllTasks: getAllTasks, deleteTaskByIdsCallback: deleteTaskByIdsCallback, addTaskCallback: addTaskCallback, editTaskCallback: editTaskCallback, handleNavigateToWGs: handleNavigateToWGs, handleNavigateToDossiers: handleNavigateToDossiers }), (showFloatingCommentButton && showCommentFormCallback && !(context?.engine === 'WorkingGroupEngine' && context?.object?.customData1 === 1)) && _jsx("button", { style: {
602
+ position: 'absolute',
603
+ bottom: '18px',
604
+ right: '20px',
605
+ width: '40px',
606
+ height: '40px',
607
+ borderRadius: "50%",
608
+ backgroundColor: "#C2388B",
609
+ color: '#fff',
610
+ border: 'none',
611
+ cursor: 'pointer',
612
+ boxShadow: '0 2px 6px rgba(0,0,0,0.2)',
613
+ zIndex: 1000,
614
+ transition: 'background-color 0.3s ease, transform 0.2s ease',
615
+ display: 'flex',
616
+ justifyContent: 'center',
617
+ alignItems: 'center',
618
+ }, onMouseEnter: (e) => {
619
+ e.currentTarget.style.backgroundColor = '#D94A9F';
620
+ e.currentTarget.style.transform = 'scale(1.1)';
621
+ e.currentTarget.style.boxShadow = '0 4px 12px rgba(37, 89, 165, 0.6)';
622
+ }, onMouseLeave: (e) => {
623
+ e.currentTarget.style.backgroundColor = "#C2388B";
624
+ e.currentTarget.style.transform = 'scale(1)';
625
+ e.currentTarget.style.boxShadow = '0 2px 6px rgba(0,0,0,0.2)';
626
+ }, onClick: () => { showCommentFormCallback(undefined); }, children: _jsx(TMTooltip, { content: SDKUI_Localizator.AddNewComment, children: _jsx("i", { className: "dx-icon-chat", style: { fontSize: '25px' } }) }) })] })] }) }) });
627
627
  };
628
628
  export default TMBlogsPost;
@@ -200,7 +200,7 @@ export const NewBadge = ({ layoutMode }) => {
200
200
  boxShadow: "0 2px 10px rgba(255, 200, 50, 0.45)",
201
201
  zIndex: 1,
202
202
  animation: "softBlink 2s infinite",
203
- }, title: SDKUI_Localizator.New, children: [!isCompact && "NEW", _jsx("style", { children: `
203
+ }, title: SDKUI_Localizator.NewMale, children: [!isCompact && "NEW", _jsx("style", { children: `
204
204
  @keyframes softBlink {
205
205
  0%, 100% { opacity: 1; }
206
206
  50% { opacity: 0.7; }
@@ -67,6 +67,14 @@ export * from './features/documents/TMRelationViewer';
67
67
  export * from './features/archive/TMArchive';
68
68
  export * from './features/search/TMSearch';
69
69
  export * from './features/search/TMSearchResult';
70
+ export { default as TMTaskForm } from './features/tasks/TMTaskForm';
71
+ export { default as TMTasksAgenda } from './features/tasks/TMTasksAgenda';
72
+ export { default as TMTasksCalendar } from './features/tasks/TMTasksCalendar';
73
+ export { default as TMTasksHeader } from './features/tasks/TMTasksHeader';
74
+ export { default as TMTasksPanelContent } from './features/tasks/TMTasksPanelContent';
75
+ export { default as TMTasksView } from './features/tasks/TMTasksView';
76
+ export * from './features/tasks/TMTasksUtils';
77
+ export * from './features/tasks/TMTasksUtilsView';
70
78
  export { default as TMWGsCopyMoveForm } from './features/wg/TMWGsCopyMoveForm';
71
79
  export * from './base/TMTab';
72
80
  export { default as TMHeader } from "./sidebar/TMHeader";
@@ -77,6 +77,15 @@ export * from './features/archive/TMArchive';
77
77
  //search
78
78
  export * from './features/search/TMSearch';
79
79
  export * from './features/search/TMSearchResult';
80
+ // tasks
81
+ export { default as TMTaskForm } from './features/tasks/TMTaskForm';
82
+ export { default as TMTasksAgenda } from './features/tasks/TMTasksAgenda';
83
+ export { default as TMTasksCalendar } from './features/tasks/TMTasksCalendar';
84
+ export { default as TMTasksHeader } from './features/tasks/TMTasksHeader';
85
+ export { default as TMTasksPanelContent } from './features/tasks/TMTasksPanelContent';
86
+ export { default as TMTasksView } from './features/tasks/TMTasksView';
87
+ export * from './features/tasks/TMTasksUtils';
88
+ export * from './features/tasks/TMTasksUtilsView';
80
89
  // wg
81
90
  export { default as TMWGsCopyMoveForm } from './features/wg/TMWGsCopyMoveForm';
82
91
  //tab
@@ -7,6 +7,7 @@ export declare class SDKUI_Localizator {
7
7
  */
8
8
  static setLanguage(cultureID: CultureIDs | undefined): void;
9
9
  static get Active(): string;
10
+ static get ActivityOverMultipleDays(): "Aktivitäten in den letzten {{0}} Tagen" | "Activities over the course of {{0}} days" | "Actividades durante los {{0}} días" | "Activités sur {{0}} jours" | "Atividades ao longo de {{0}} dias" | "Attività che svolge nell'arco di {{0}} giorni";
10
11
  static get Abort(): "Stoppen" | "Abort" | "Detener" | "Arrêtez" | "Parar" | "Interrompi";
11
12
  static get Abort_Confirm(): "Stoppen Sie die Verarbeitung?" | "Cancel processing?" | "¿Interrumpir la elaboración?" | "Voulez-vous interrompre l'operation?" | "Pare o processamento?" | "Interrompere l'elaborazione?";
12
13
  static get About(): "Informationen" | "About" | "Información" | "Informations" | "Informações" | "Informazioni";
@@ -24,16 +25,19 @@ export declare class SDKUI_Localizator {
24
25
  static get AddToHomePage(): "Zur Startseite hinzufügen" | "Add to Home Page" | "Añadir a la página inicial" | "Ajoute à Home Page" | "Adicionar a Home Page" | "Aggiungi alla Home Page";
25
26
  static get Advanced(): "Erweitert" | "Advanced" | "Avanzado" | "Avancé" | "Avançado" | "Avanzate";
26
27
  static get All(): "Alle" | "All" | "Todos" | "Tous" | "Tutti";
28
+ static get AllFemale(): "Alle" | "All" | "Todas" | "Toutes" | "Tutte";
27
29
  static get AllDcmts(): "Alle Dokumente" | "All documents" | "Todos los documentos" | "Tous les documents" | "Todos os documentos" | "Tutti i documenti";
28
30
  static get AllDcmtTypes(): "Alle Dokumenttypen" | "All document types" | "Todos los tipos documento" | "Tous les types de documents" | "Todos os tipos de documentos" | "Tutti i tipi documento";
29
31
  static get AllFilesAndFoldersInSupportArea(): "Alle Dateien und Ordner im Support-Bereich" | "All files and folders within the support area" | "Todos los archivos y carpetas dentro del área de soporte" | "Tous les fichiers et dossiers dans la zone de support" | "Todos os arquivos e pastas na área de apoio" | "Tutti i file e le cartelle all'interno dell'area di appoggio";
30
32
  static get AllItems(): "alle Artikel" | "All items" | "Todos los artículos" | "tous les articles" | "todos os artigos" | "tutti gli elementi";
31
- static get Alls2(): "Alle" | "All" | "Todos" | "Tous" | "Tutte";
33
+ static get AllPriorities(): "Alle Prioritäten" | "All priorities" | "Todas las prioridades" | "Toutes les priorités" | "Todas as prioridades" | "Tutte le priorità";
34
+ static get AllStates(): "Alle Staaten" | "All states" | "Todos los estados" | "Tous les états" | "Todos os estados" | "Tutti gli stati";
32
35
  static get Alphabetic(): "Alphabetisch" | "Alphabetic" | "Alfabético" | "Alphabétique" | "Alfabética" | "Alfabetico";
33
36
  static get Application(): "Anwendung" | "Application" | "Aplicación" | "Aplicação" | "Applicazione";
34
37
  static get Applied(): string;
35
38
  static get Apply(): "Anwenden" | "Apply" | "Aplicar" | "Applique" | "Applica";
36
39
  static get ApplyAndClose(): "Anwenden und Schließen" | "Apply and close" | "Aplicar y cerrar" | "Applique et ferme" | "Aplicar e fechar" | "Applica e chiudi";
40
+ static get ApplyContextualFilter(): string;
37
41
  static get Approve(): "Genehmigen" | "Approve" | "Aprobar" | "Approuver" | "Aprovar" | "Approva";
38
42
  static get Archive(): "Archiv" | "Archive" | "Almacenar" | "Armazena" | "Archivia";
39
43
  static get ArchiveConstraint(): "Archivierungsbeschränkung" | "Archive constraint" | "Vínculo de almacenamiento" | "Contrainte d'archivage" | "Armazenamento de restrição" | "Vincolo di archiviazione";
@@ -43,7 +47,10 @@ export declare class SDKUI_Localizator {
43
47
  static get ArchivedDocuments(): string;
44
48
  static get ArchiveID(): "Armazena" | "Dokumentarisches Archiv" | "Documental archive" | "Archivo de documentos" | "Archivage des documents" | "Archivio documentale";
45
49
  static get Arguments(): "Themen" | "Arguments" | "Argumentos" | "Sujets" | "Tópicos" | "Argomenti";
50
+ static get AssignedBy(): "Zugewiesen von" | "Assigned by" | "Asignado por" | "Assigné par" | "Atribuído por" | "Assegnata da";
51
+ static get AssignedByMe(): "Von mir zugewiesene" | "Assigned by me" | "Por mí" | "Que j'ai assignées" | "Atribuídas por mim" | "Assegnate da me";
46
52
  static get AssignedTo(): string;
53
+ static get AssignedToMe(): "Mir zugewiesene" | "Assigned to me" | "Asignadas a mí" | "Qui me sont assignées" | "Atribuídas a mim" | "Assegnate a me";
47
54
  static get AttachDocument(): "Dokument anhängen" | "Attach Document" | "Adjuntar documento" | "Joindre un document" | "Anexar documento" | "Allega documento";
48
55
  static get AttachingDocuments(): "Dokumente werden angehängt..." | "Attaching documents..." | "Adjuntando documentos..." | "Pièces jointes en cours..." | "Anexando documentos..." | "Allegando documenti...";
49
56
  static get Attachment(): string;
@@ -54,6 +61,7 @@ export declare class SDKUI_Localizator {
54
61
  static get AuthMode_WindowsViaTopMedia(): "Windows-Authentifizierung über TopMedia" | "Windows authentication via TopMedia" | "Autenticación de Windows a través de TopMedia" | "Authentification Windows via TopMedia" | "Autenticação Windows via TopMedia" | "Autenticazione Windows tramite TopMedia";
55
62
  static get AutoAdjust(): "Automatische Anpassung" | "Auto Adjust" | "Ajuste automático" | "Ajustement automatique" | "Regolazione automatica";
56
63
  static get Author(): string;
64
+ static get CustomButtons(): string;
57
65
  static get Back(): "Zurück" | "Back" | "Atrás" | "Dos" | "Voltar" | "Indietro";
58
66
  static get BatchUpdate(): "Mehrfachbearbeitung" | "Multiple modification" | "Modificación múltiple" | "Modifie multiple" | "Editar múltipla" | "Modifica multipla";
59
67
  static get BlogCase(): "Anschlagbrett" | "Blog board" | "Tablón" | "Tableau d'affichage" | "Bakeca" | "Bacheca";
@@ -63,6 +71,7 @@ export declare class SDKUI_Localizator {
63
71
  static get BrowseAreaFile(): "Dateien in den Supportbereichen durchsuchen" | "Browse files on support areas" | "Explorar los archivos en las áreas de apoyo" | "Parcourir les fichiers dans les zones de support" | "Procurar os arquivos nas áreas de suporte" | "Sfoglia i file nelle aree di appoggio";
64
72
  static get BrowseAreaFolder(): "Ordner in den Supportbereichen durchsuchen" | "Browse folders on support areas" | "Explorar las carpetas en las áreas de apoyo" | "Parcourir les dossiers dans les zones de support" | "Percorra as pastas nas áreas de apoio" | "Sfoglia le cartelle nelle aree di appoggio";
65
73
  static get ByDate(): string;
74
+ static get Calendar(): "Kalender" | "Calendar" | "Calendario" | "Calendrier" | "Calendário";
66
75
  static get CassettoDoganaleExportMRN(): "MRN-Erholung für den Export" | "MRN recovery for export" | "Recuperación MRN para exportación" | "Récupération MRN pour l'export" | "Recuperação MRN para exportação" | "Recupero MRN per Export";
67
76
  static get CassettoDoganaleExportVU(): "Wiederherstellung des Ausreisevisums" | "Exit Visa Recovery" | "Recuperación de Visa de Salida" | "Sortie Récupération Visa" | "Recuperação de Visto de Saída" | "Recupero Visto Uscire per Export";
68
77
  static get CassettoDoganaleImportMRN(): "MRN-Erholung für den Import" | "MRN recovery for import" | "Recuperación MRN para importación" | "Récupération MRN à l'import" | "Recuperação MRN para importação" | "Recupero MRN per Import";
@@ -85,6 +94,7 @@ export declare class SDKUI_Localizator {
85
94
  static get CommentAndComplete(): string;
86
95
  static get CommentDoesNotMeetRequirements(): "Der Kommentar erfüllt nicht die erforderlichen Anforderungen" | "The comment does not meet the required criteria" | "El comentario no cumple con los requisitos requeridos" | "Le commentaire ne répond pas aux exigences requises" | "O comentário não atende aos requisitos exigidos" | "Il commento non rispetta i requisiti richiesti";
87
96
  static get CommentText(): string;
97
+ static get Completed(): "Abgeschlossen" | "Completed" | "Completadas" | "Complètes" | "Completata";
88
98
  static get CompleteError(): "Kompletter Fehler" | "Complete error" | "Error completo" | "Erreur complète" | "Erro completo" | "Errore completo";
89
99
  static get Configure(): "Konfigurieren" | "Configure" | "Configurar" | "Configura";
90
100
  static get Confirm(): string;
@@ -164,6 +174,7 @@ export declare class SDKUI_Localizator {
164
174
  static get DocumentData(): string;
165
175
  static get DocumentNotAvailable(): string;
166
176
  static get DocumentOpenedSuccessfully(): "Dokument erfolgreich geöffnet" | "Document opened successfully" | "Documento abierto con éxito" | "Document ouvert avec succès" | "Documento aberto com sucesso" | "Documento aperto con successo";
177
+ static get Document(): "Dokument" | "Document" | "Documento";
167
178
  static get Documents(): string;
168
179
  static get DocumentOperations(): string;
169
180
  static get Domain(): "Domäne" | "Domain" | "Dominio" | "Domaine";
@@ -187,12 +198,16 @@ export declare class SDKUI_Localizator {
187
198
  static get ElectronicInvoice(): "Elektronische Rechnung" | "Electronic invoice" | "Factura electrónica" | "Facture électronique" | "Fatura eletrônica" | "Fattura elettronica";
188
199
  static get ElectronicOrder(): "Elektronische Bestellung" | "Electronic order" | "Orden electrónica" | "Commande électronique" | "Pedido eletrônico" | "Ordine elettronico";
189
200
  static get EmailIsNotValid(): "Dies ist keine gültige e-mail Adresse" | "This is not a valid email address" | "Esta no es una dirección de correo electrónico válida." | "Cette adresse email n'est pas valide" | "Este não é um endereço de e-mail válido" | "Questo non è un indirizzo e-mail valido";
201
+ static get EndDateMatchesToday(): "Das Ablaufdatum entspricht dem heutigen Datum" | "The expiration date matches today's date" | "La fecha de vencimiento coincide con la fecha de hoy" | "La date d'expiration correspond à la date d'aujourd'hui" | "A data de expiração coincide com a data de hoje" | "La data di scadenza coincide con la data odierna";
202
+ static get EndDateSetForTomorrow(): "Das Ablaufdatum ist für morgen festgelegt" | "The expiration date is set for tomorrow" | "La fecha de vencimiento está fijada para mañana" | "La date d'expiration est fixée pour demain" | "A data de expiração está marcada para amanhã" | "La data di scadenza è imminente (ovvero fissata per domani)";
190
203
  static get Endpoint(): "Zugangspunkt" | "Endpoint" | "Punto de acceso" | "Point d'entrée" | "Ponto de acesso" | "Punto di accesso";
191
204
  static get EnterNameForAccess(): "Geben Sie einen Namen für den Zugriff ein" | "Enter a name for access" | "Introduzca un nombre para el acceso" | "Entrez un nom pour l'accès" | "Insira um nome para o acesso" | "Inserire un nome per l'accesso";
192
205
  static get EnterValue(): "Geben Sie einen Wert ein" | "Enter a value" | "Introducir un valor" | "Entrez une valeur" | "Digite um valor" | "Inserire un valore";
193
206
  static get Error(): "Fehler" | "Error" | "Erreur" | "Erro" | "Errore";
194
207
  static get ErrorLoadingDocument(): string;
195
208
  static get ErrorParsingFileContent(): "Fehler beim Parsen des Dateiinhalts. Stellen Sie sicher, dass die Datei im richtigen Format vorliegt." | "Error parsing the file content. Ensure the file is in the correct format." | "Error al analizar el contenido del archivo. Asegúrese de que el archivo esté en el formato correcto." | "Erreur lors de l'analyse du contenu du fichier. Assurez-vous que le fichier est dans le bon format." | "Erro ao analisar o conteúdo do arquivo. Certifique-se de que o arquivo está no formato correto." | "Errore durante l'analisi del contenuto del file. Assicurati che il file sia nel formato corretto.";
209
+ static get ErrorEndRemDate(): "Fehler bei den Daten (2)" | "Error in the dates (2)" | "Error en las fechas (2)" | "Erreur dans les dates (2)" | "Erro nas datas (2)" | "Errore nelle date (2)";
210
+ static get ErrorStartEndDate(): "Fehler bei den Daten (1)" | "Error in the dates (1)" | "Error en las fechas (1)" | "Erreur dans les dates (1)" | "Erro nas datas (1)" | "Errore nelle date (1)";
196
211
  static get ExportDataListsDescriptionField(): "Exportiere die \"Beschreibung\"-Felder der Datenlisten" | "Export the \"description\" fields of data lists" | "Exportar los campos \"descripción\" de las listas de datos" | "Exporter les champs \"description\" des listes de données" | "Exportar os campos \"descrição\" das listas de dados" | "Esporta la \"Descrizione\" delle liste dati";
197
212
  static get ExportOnlySelectedDocuments(): "Nur ausgewählte Dokumente exportieren" | "Export only selected documents" | "Exportar solo los documentos seleccionados" | "Exporter uniquement les documents sélectionnés" | "Exportar apenas os documentos selecionados" | "Esporta solo i documenti selezionati";
198
213
  static get ExportSelectedColumnsAndFormatLabel(): string;
@@ -200,7 +215,9 @@ export declare class SDKUI_Localizator {
200
215
  static get ExtractedFromOtherUser(): string;
201
216
  static get ExtractedOn(): "Ausgezogen am" | "Extracted on" | "Extraído el" | "Extrait le" | "Extraído em" | "Estratto il";
202
217
  static get EvaluateResult(): "Bewerten Sie das Ergebnis" | "Evaluate result" | "Valorar el resultado" | "Évalue les résultats" | "Avalia os resultados" | "Valuta il risultato";
218
+ static get Expiration(): "Ablaufdatum" | "Expiration" | "Fecha de expiración" | "Date d'expiration" | "Data de expiração" | "Scadenza";
203
219
  static get ExpertMode(): "Expertenmodus" | "Expert mode" | "Modo experto" | "Mode expert" | "Modo especialista" | "Modalità esperto";
220
+ static get Expiring(): "Ablaufend" | "Expiring" | "Por vencer" | "Expirant" | "Vencendo" | "In scadenza";
204
221
  static get Export(): "Exportieren" | "Export" | "Exportar" | "Exporter" | "Esporta";
205
222
  static get ExportTo(): string;
206
223
  static get ExportMRN(): "Exportieren MRN" | "Export MRN" | "Exportar MRN" | "Exporter MRN";
@@ -252,6 +269,8 @@ export declare class SDKUI_Localizator {
252
269
  static get GetFileDeletionErrorMessage(): "Fehler beim Löschen der Datei" | "Error deleting the file" | "Error al eliminar el archivo" | "Erreur lors de la suppression du fichier" | "Erro ao excluir o arquivo" | "Errore nell'eliminazione del file";
253
270
  static get GetFileUploadErrorMessage(): "Fehler beim Hochladen" | "Error during upload" | "Error al subir el archivo" | "Erreur lors du téléchargement" | "Erro ao carregar o arquivo" | "Errore nel caricamento";
254
271
  static get GetFolderDeletionErrorMessage(): "Fehler beim Löschen des Ordners" | "Error deleting the folder" | "Error al eliminar la carpeta" | "Erreur lors de la suppression du dossier" | "Erro ao excluir a pasta" | "Errore nell'eliminazione della cartella";
272
+ static get GoTo(): "Gehe zu" | "Go to" | "Ir a" | "Aller à" | "Vai a";
273
+ static get GoToToday(): "Gehe zu heute" | "Go to today" | "Ir a hoy" | "Aller à aujourd'hui" | "Ir para hoje" | "Vai a oggi";
255
274
  static get Grids(): string;
256
275
  static get Hide_CompleteName(): "Vollständigen Namen ausblenden" | "Hide full name" | "Ocultar nombre completo" | "Masquer le nom complet" | "Ocultar nome completo" | "Nascondi nome completo";
257
276
  static get HideFloatingBar(): string;
@@ -260,6 +279,7 @@ export declare class SDKUI_Localizator {
260
279
  static get HideFormattingOptions(): "Formatierungsoptionen ausblenden" | "Hide formatting options" | "Ocultar opciones de formato" | "Masquer les options de formatage" | "Ocultar opções de formatação" | "Nascondi opzioni di formattazione";
261
280
  static get HideMetadata(): string;
262
281
  static get HideSearch(): "Suche ausblenden" | "Hide search" | "Ocultar búsqueda" | "Masquer la recherche" | "Ocultar pesquisa" | "Nascondi ricerca";
282
+ static get High(): "Hoch" | "High" | "Alta" | "Élevée";
263
283
  static get HistoryActionLabel(): string;
264
284
  static get HistoryLabel(): string;
265
285
  static get ID_Hide(): "Ausblenden ID" | "Hide ID" | "Ocultar ID" | "Masquer ID" | "Nascondi ID";
@@ -272,6 +292,7 @@ export declare class SDKUI_Localizator {
272
292
  static get IndexingDelete(): string;
273
293
  static get IndexingInformation(): string;
274
294
  static get IndexOrReindex(): string;
295
+ static get InProgress(): "Laufende" | "In Progress" | "En curso" | "En cours" | "Em andamento" | "In corso";
275
296
  static get InsertYourEmail(): "Geben Sie Ihre E-Mail ein" | "Insert your Email" | "Inserta tu Email" | "Insérez votre e-mail" | "Insira seu e-mail" | "Inserisci la tua email";
276
297
  static get InsertOTP(): "Geben Sie den OTP-Code ein" | "Insert OTP code" | "Insertar código OTP" | "Insérer le code OTP" | "Insira o código OTP" | "Inserisci il codice OTP";
277
298
  static get Interrupt(): "Unterbrechen" | "Interrupt" | "interrumpir" | "Interrompre" | "Interromper" | "Interrompere";
@@ -284,6 +305,7 @@ export declare class SDKUI_Localizator {
284
305
  static get LastVersion(): string;
285
306
  static get Latest(): string;
286
307
  static get LexProt(): "Lex-Schutz" | "Lex protection" | "Protección Lex" | "Protection Lex" | "Proteção Lex" | "Protezione Lex";
308
+ static get List(): "Liste" | "List" | "Lista";
287
309
  static get List_Hide(): "Liste ausblenden" | "Hide list" | "Ocultar lista" | "Masquer la liste" | "Nascondi la lista";
288
310
  static get List_Show(): "liste anzeigen" | "Show list" | "Ver lista" | "Afficher la liste" | "Visualizza la lista";
289
311
  static get Loading(): "Laden" | "Loading" | "Carga" | "Chargement" | "Caricamento";
@@ -293,7 +315,9 @@ export declare class SDKUI_Localizator {
293
315
  static get Login(): string;
294
316
  static get LogDelete(): "Löschen der Logik" | "Logical delete" | "Cancelación lógica" | "Suppression logique" | "Lógica de cancelamento" | "Cancellazione logica";
295
317
  static get Logout(): "Abmelden" | "Logout" | "Cerrar sesión" | "Déconnexion" | "Sair" | "Esci";
318
+ static get Low(): "Niedrig" | "Low" | "Baja" | "Faible" | "Baixa" | "Bassa";
296
319
  static get MakeEditable(): "Bearbeitbar machen" | "Make editable" | "Hacer editable" | "Rendre modifiable" | "Faça editável" | "Rendi editabile";
320
+ static get MarkAs(): "Als markieren" | "Mark as" | "Marcar como" | "Marquer comme" | "Segna come";
297
321
  static get Max_Value(): "Der Maximalwert ist {{0}}" | "The maximum value is {{0}}" | "El valor máximo es {{0}}" | "La valeur maximale est {{0}}" | "O valor máximo é {{0}}" | "Il valore massimo è {{0}}";
298
322
  static get MaxDcmtsToBeReturned(): "Maximale Anzahl von Dokumenten" | "Max number of documents" | "Número máximo de documentos" | "Nombre maximum de documents" | "O número máximo de documentos" | "Numero massimo di documenti";
299
323
  static get Maximize(): "Maximieren" | "Maximize" | "Maximizar" | "Maximiser" | "Massimizza";
@@ -335,7 +359,12 @@ export declare class SDKUI_Localizator {
335
359
  static get Move(): string;
336
360
  static get Name(): "Name" | "Nombre" | "Nom" | "Nome";
337
361
  static get NameForAccess(): "Name für den Zugang" | "Access name" | "Nombre para el acceso" | "Nom pour l'accès" | "Nome para o acesso" | "Nome per l'accesso";
338
- static get New(): "Neu" | "New" | "Nuevo" | "Nouveau" | "Novo" | "Nuovo";
362
+ static get NameTooLong(): "Der Name ist zu lang: Maximal {{0}} Zeichen" | "Name is too long: Max {{0}} characters" | "El nombre es demasiado largo: Máximo {{0}} caracteres" | "Le nom est trop long : Maximum {{0}} caractères" | "O nome é demasiado longo: Máximo {{0}} caracteres" | "Il nome è troppo lungo: massimo {{0}} caratteri";
363
+ static get NewAssignedActivities(): string;
364
+ static get NewAssignedActivity(): string;
365
+ static get NewAssignedActivitiesNumber(): string;
366
+ static get NewMale(): "Neu" | "New" | "Nuevo" | "Nouveau" | "Novo" | "Nuovo";
367
+ static get NewFemale(): "Neu" | "New" | "Nuevas" | "Nouvelles" | "Novas" | "Nuova";
339
368
  static get NewOTP(): "Neues OTP" | "New OTP" | "Nueva OTP" | "Nouveau l'OTP" | "Nova OTP" | "Nuova OTP";
340
369
  static get NewPassword(): "Neues Kennwort" | "New password" | "Nueva contraseña" | "Nouveau mot de passe" | "Nova Senha" | "Password nuova";
341
370
  static get Next(): "Weiter" | "Next" | "Siguiente" | "Suivant" | "Seguinte" | "Successivo";
@@ -349,6 +378,7 @@ export declare class SDKUI_Localizator {
349
378
  static get NoMessagesFound(): string;
350
379
  static get NoPanelSelected(): string;
351
380
  static get NoResultsFound(): string;
381
+ static get NoSource(): "Keine Quelle" | "No Source" | "Ninguna fuente" | "Aucune source" | "Nenhuma fonte" | "Nessun Origine";
352
382
  static get NoneSelection(): "Keine Auswahl" | "No selection" | "Ninguna selección" | "Pas de sélections" | "Nenhuma seleção" | "Nessuna selezione";
353
383
  static get NotAvailable(): string;
354
384
  static get OfSystem(): "Des Systems" | "Of system" | "Del sistema" | "Du système" | "Do sistema" | "Di sistema";
@@ -361,6 +391,7 @@ export declare class SDKUI_Localizator {
361
391
  static get OnBehalfOf(): "im Auftrag von" | "on behalf of" | "a nombre de" | "de la part de" | "em nome de" | "per conto di";
362
392
  static get OneMore(): "andere" | "more" | "otro" | "autre" | "outro" | "altro";
363
393
  static get OperationFilesInterrupted(): string;
394
+ static get OperationNotAllowed(): string;
364
395
  static get OperationResult(): "Operationsergebnis" | "Operation result" | "Resultado de la operación" | "Résultat de l'opération" | "Resultado da operação" | "Esito operazione";
365
396
  static get OperationSuccess(): "Vorgang erfolgreich abgeschlossen" | "Operation completed successfully" | "Operación completada con éxito" | "Opération terminée avec succès" | "Operação concluída com sucesso" | "Operazione completata con successo";
366
397
  static get OperationType(): "Art der Operation" | "Operation type" | "Tipo de operación" | "Type d'opération" | "Tipo de operação" | "Tipo operazione";
@@ -405,9 +436,12 @@ export declare class SDKUI_Localizator {
405
436
  static get PasteFromClipboard(): string;
406
437
  static get Parameters(): "Parameter" | "Parameters" | "Parámetros" | "Paramètres" | "Parâmetros" | "Parametri";
407
438
  static get PDFDocument(): string;
439
+ static get Pending(): "Ausstehend" | "Pending" | "Pendiente" | "En attente" | "Pendente" | "In attesa";
408
440
  static get Perms(): "Berechtigungen" | "Permissions" | "Permisos" | "Autorisations" | "Permissão" | "Permessi";
441
+ static get PersonalTaskAssignmentMessage(): "Persönliche Aufgabe" | "Personal task" | "Tarea personal" | "Tâche personnelle" | "Tarefa pessoal" | "Attività personale";
409
442
  static get PhysDelete(): "Physische Stornierung" | "Physical delete" | "Cancelación física" | "Supression" | "Cancelamento física" | "Cancellazione fisica";
410
443
  static get PhysicalHistoryDeletion(): string;
444
+ static get Postponed(): "Verschoben" | "Postponed" | "Aplazada" | "Reportée" | "Adiadas" | "Rinviata";
411
445
  static get Practice(): "Praxis" | "Practice" | "Práctica" | "Pratique" | "Prática" | "Pratica";
412
446
  static get PreparingFileForArchive(): "Datei für Archivierung vorbereiten..." | "Preparing file for archive..." | "Preparando archivo para archivar..." | "Préparation du fichier pour l'archive..." | "Preparando arquivo para arquivar..." | "Preparazione del file per l'archivio...";
413
447
  static get Preview(): "Vorschau" | "Preview" | "Vista previa" | "Aperçu" | "Pré-visualização" | "Anteprima";
@@ -417,8 +451,7 @@ export declare class SDKUI_Localizator {
417
451
  static get PreviewView(): string;
418
452
  static get Previous(): "Vorherige" | "Previous" | "Anterior" | "Précédent" | "Precedente";
419
453
  static get Priority(): string;
420
- static get PriorityHigh(): string;
421
- static get PriorityLow(): string;
454
+ static get PriorityLegend(): "Legende der Prioritäten" | "Priority Legend" | "Leyenda de prioridades" | "Légende des priorités" | "Lenda das prioridades" | "Legenda delle priorità";
422
455
  static get ProcessedItems(): "Durchdachte Elemente" | "Processed items" | "Elementos elaborados" | "Items traités" | "Itens processados" | "Elementi elaborati";
423
456
  static get Properties(): "Eigenschaften" | "Properties" | "Propiedades" | "Propriétés" | "Propriedades" | "Proprietà";
424
457
  static get QueryClear(): "Query bereinigen" | "Clear query" | "Limpiar consulta" | "Efface query" | "Limpar query" | "Pulisci query";
@@ -437,6 +470,7 @@ export declare class SDKUI_Localizator {
437
470
  static get Relations(): "Korrelationen" | "Correlations" | "Correlaciones" | "Relations" | "Correlacionados" | "Correlazioni";
438
471
  static get RelationManyToMany(): "Folge viele mit vielen" | "Relation many to many" | "Correlación muchos a muchos" | "Corrélation plusieurs à plusieurs" | "Muitos para muitos relação" | "Correlazione molti a molti";
439
472
  static get RelationType(): "Art der Beziehung" | "Relation type" | "Tipo de relación" | "Type de relation" | "Tipo de relacionamento" | "Tipo di relazione";
473
+ static get RemoveContextualFilter(): "Kontextbezogenen Filter entfernen" | "Remove contextual filter" | "Eliminar filtro contextual" | "Supprimer le filtre contextuel" | "Remover filtro contextual" | "Rimuovi filtro contestuale";
440
474
  static get RemoveFromCache(): string;
441
475
  static get RemoveFromList(): string;
442
476
  static get RemoveFromWorkgroup(): string;
@@ -451,6 +485,9 @@ export declare class SDKUI_Localizator {
451
485
  static get RequiredField(): "Erforderliches Feld" | "Required field" | "Campo obligatorio" | "Champ obligatoire" | "Campo obrigatório" | "Campo Obbligatorio";
452
486
  static get RequiredNOT(): "Nicht obligatorisch" | "Not mandatory" | "No obligatorio" | "Pas obligatoire" | "Não é obrigatório" | "Non obbligatorio";
453
487
  static get Refresh(): "Aktualisieren" | "Refresh" | "Actualizar" | "Mis à jour" | "Refrescar" | "Aggiorna";
488
+ static get Reminder(): "Erinnerung" | "Reminder" | "Recordatorio" | "Rappel" | "Lembrete" | "Promemoria";
489
+ static get ReminderDateMustBeBeforeEndDate(): "Das Erinnerungsdatum muss vor dem Enddatum liegen" | "The reminder date must be before the end date" | "La fecha de recordatorio debe ser anterior a la fecha de finalización" | "La date de rappel doit être antérieure à la date de fin" | "A data de lembrete deve ser anterior à data de término" | "La data di promemoria deve essere precedente alla data di fine";
490
+ static get ReminderSetForToday(): "Es gibt eine Erinnerung, die für heute eingestellt ist und bis zum Ablaufdatum gültig ist" | "There is a reminder set for today, valid until the expiration date" | "Hay un recordatorio establecido para hoy, válido hasta la fecha de vencimiento" | "Il y a un rappel réglé pour aujourd'hui, valable jusqu'à la date d'échéance" | "Há um lembrete definido para hoje, válido até à data de expiração" | "È presente un promemoria impostato per oggi, valido fino alla data di scadenza";
454
491
  static get Remove(): "Entfernen" | "Remove" | "Quitar" | "Supprime" | "Remover" | "Rimuovi";
455
492
  static get RemoveAll(): "Alle entfernen" | "Remove all" | "Eliminar todo" | "Supprime tout" | "Remover todos" | "Rimuovi tutto";
456
493
  static get RemoveAttachment(): string;
@@ -468,6 +505,7 @@ export declare class SDKUI_Localizator {
468
505
  static get SavedQueryNew(): "Neue Suche speichern" | "Save new search" | "Guardar nueva búsqueda" | "Enregistrer la nouvelle recherche" | "Guardar nova pesquisa" | "Salva nuova ricerca";
469
506
  static get SavedQueryUpdate(): "Suche bearbeiten" | "Modify query" | "Modificar búsqueda" | "Modifie la recherche" | "Mudar pesquisa" | "Modifica ricerca";
470
507
  static get Search(): "Auf der Suche nach" | "Search" | "Búsqueda" | "Recherche" | "Pesquisa" | "Ricerca";
508
+ static get SearchAction(): "Search" | "Suche" | "Buscar" | "Chercher" | "Pesquisar" | "Cerca";
471
509
  static get Search_Advanced(): "Erweiterte Suche" | "Advanced search" | "Búsqueda avanzada" | "Recherche avancée" | "Pesquisa Avançada" | "Ricerca avanzata";
472
510
  static get Search_Easy(): "Einfache Suche" | "Easy search" | "Búsqueda fácil" | "Recherche facile" | "Pesquisa fácil" | "Ricerca facilitata";
473
511
  static get Search_EnterValue(): "Geben Sie einen Wert ein, nach dem gesucht werden soll" | "Enter a value to search" | "Introducir un valor para buscar" | "Entrez une valeur à rechercher" | "Digite um valor para pesquisar" | "Inserire un valore da ricercare";
@@ -486,6 +524,7 @@ export declare class SDKUI_Localizator {
486
524
  static get Selected(): "Ausgewählt" | "Selected" | "Sélectionné" | "Selecionado" | "Seleccionados" | "Selezionati";
487
525
  static get SelectDesiredFilters(): "Wählen Sie die gewünschten Filter aus" | "Select the desired filters" | "Selecciona los filtros deseados" | "Sélectionnez les filtres souhaités" | "Selecione os filtros desejados" | "Seleziona i filtri desiderati";
488
526
  static get SelectedItems(): "Ausgewählte Artikel" | "Selected items" | "Artículos seleccionados" | "Articles sélectionnés" | "Itens selecionados" | "Elementi selezionati";
527
+ static get SelectViewMode(): "Wählen Sie zwischen Listenansicht und Agendaansicht" | "Choose between list view and agenda view" | "Elija entre vista de lista y vista de agenda" | "Choisissez entre la vue liste et la vue agenda" | "Escolha entre a vista de lista e a vista de agenda" | "Scegli tra la vista elenco e la vista agenda";
489
528
  static get Send(): "Senden" | "Send" | "Enviar" | "Envoyer" | "Invia";
490
529
  static get SendLinkByMail(): "Link per E-Mail senden" | "Send link via mail" | "Enviar enlace por correo electrónico" | "Envoyer le lien par email" | "Enviar link por e-mail" | "Invia link tramite mail";
491
530
  static get SendToSupport(): "An den Support senden" | "Send to support" | "Enviar a soporte" | "Envoyer au support" | "Enviar para suporte" | "Invia a supporto";
@@ -526,11 +565,20 @@ export declare class SDKUI_Localizator {
526
565
  static get SpecialOperators(): "Spezielle Operatoren" | "Special operators" | "Operadores especiales" | "Opérateurs spéciaux" | "Os operadores especiais" | "Operatori speciali";
527
566
  static get StandardMode(): "Standardmodus" | "Standard mode" | "Modo estándar" | "Mode standard" | "Modo padrão" | "Modalità standard";
528
567
  static get Start(): "Start" | "Zum Booten" | "Arrancar" | "Pour démarrer" | "Para inicializar" | "Avviare";
568
+ static get StartDate(): "Startdatum" | "Start date" | "Fecha de inicio" | "Date de début" | "Data de início" | "Data di inizio";
569
+ static get StartDateMustBeBeforeEndDate(): "Das Startdatum muss vor dem Enddatum liegen" | "The start date must be before the end date" | "La fecha de inicio debe ser anterior a la fecha de finalización" | "La date de début doit être antérieure à la date de fin" | "A data de início deve ser anterior à data de término" | "La data di inizio deve essere precedente alla data di fine";
529
570
  static get Statistics(): "Statistiken" | "Statistics" | "Estadística" | "Statistiques" | "Estatísticas" | "Statistiche";
530
571
  static get Status(): "Status" | "Estado" | "Statut" | "Stato";
531
572
  static get Subject(): "Betreff" | "Subject" | "Asunto" | "Objet" | "Assunto" | "Oggetto";
532
573
  static get Summary(): "Zusammenfassung" | "Summary" | "Resumen" | "Résumé" | "Resumo" | "Riepilogo";
533
574
  static get SwitchUser(): "Benutzer wechseln" | "Switch user" | "Cambiar usuario" | "Changer d'utilisateur" | "Mudar de usuário" | "Cambia utente";
575
+ static get TaskAssignedMessage(): "Die Aufgabe wurde von Benutzer '{{0}}' zugewiesen. Nur die Felder 'Status' und 'Erinnerung' können bearbeitet werden, da sie für die Person, die mit der Arbeit fortfährt, relevant sind" | "The task was assigned by user '{{0}}'. Only the 'Status' and 'Reminder' fields can be edited, as they are relevant for the person who will continue with the work" | "La tarea fue asignada por el usuario '{{0}}'. Solo se pueden editar los campos 'Estado' y 'Recordatorio', ya que son relevantes para la persona que continuará con el trabajo" | "La tâche a été assignée par l'utilisateur '{{0}}'. Seuls les champs 'Statut' et 'Rappel' peuvent être modifiés, car ils sont pertinents pour la personne qui poursuivra le travail" | "A tarefa foi atribuída pelo usuário '{{0}}'. Apenas os campos 'Status' e 'Lembrete' podem ser editados, pois são relevantes para quem continuará com o trabalho" | "Attività assegnata dall'utente '{{0}}'. Solo i campi 'Stato' e 'Promemoria' possono essere modificati, in quanto sono rilevanti per chi dovrà proseguire con il lavoro";
576
+ static get TaskAssignedToUserMessage(): "Aufgabe zugewiesen an den Benutzer '{{0}}'" | "Task assigned to user '{{0}}'" | "Tarea asignada al usuario '{{0}}'" | "Tâche assignée à l'utilisateur '{{0}}'" | "Tarefa atribuída ao usuário '{{0}}'" | "Attività assegnata all'utente '{{0}}'";
577
+ static get TaskConsideredExpiring(): "Die Aufgabe wird als ablaufend betrachtet, wenn" | "The task is considered expiring if" | "La tarea se considera por vencer si" | "La tâche est considérée comme expirante si" | "A tarefa é considerada vencendo se" | "L'attività è considerata in scadenza se";
578
+ static get TasksEmpty(): string;
579
+ static get TaskSavedSuccessfully(): string;
580
+ static get TaskSaveError(): string;
581
+ static get TaskXofY(): string;
534
582
  static get Template(): "Modell des Autos" | "Template" | "Modelo" | "Modèle" | "Modello";
535
583
  static get Today(): "Heute" | "Today" | "Hoy" | "Aujourd'hui" | "Hoje" | "Oggi";
536
584
  static get ToggleMode(): "Modus umschalten" | "Toggle Mode" | "Cambiar modo" | "Changer de mode" | "Alternar modo" | "Cambia modalità";
@@ -585,6 +633,7 @@ export declare class SDKUI_Localizator {
585
633
  static get Version(): string;
586
634
  static get View_Metadato(): "Anzeige (Methadaten)" | "Visualization (metadata)" | "Visualización (metadato)" | "Visualisation (métadonnée)" | "Display (metadados)" | "Visualizzazione (metadato)";
587
635
  static get ViewEditMetadata(): string;
636
+ static get ViewExpiringTasks(): "Anzeigen ablaufender Aufgaben" | "View expiring tasks" | "Ver tareas por vencer" | "Voir les tâches expirantes" | "Ver tarefas vencendo" | "Visualizza le attività in scadenza";
588
637
  static get ViewWithCheckOption(): "Kontrolle über Archivierung und Bearbeitung" | "Check on archive and update" | "Control en almacenamiento y modificación" | "Contrôle de l'archivage et la modifie" | "Controle de arquivamento e edição" | "Controllo su archiviazione e modifica";
589
638
  static get Visible(): "Sichtbar" | "Visible" | "Visibles" | "Visibiles" | "Visíveis" | "Visibili";
590
639
  static get VisibleItems(): "sichtbare Elemente" | "Visible items" | "elementos visibles" | "éléments visibles" | "itens visíveis" | "Elementi visibili";
@@ -592,6 +641,8 @@ export declare class SDKUI_Localizator {
592
641
  static get Welcome(): "Willkommen" | "Welcome" | "Bienvenido" | "Bienvenue" | "Bem-vindo" | "Benvenuto";
593
642
  static get WelcomeTo(): "Willkommen bei {{0}}" | "Welcome to {{0}}" | "Bienvenido a {{0}}" | "Bienvenue sur {{0}}" | "Bem-vindo à {{0}}" | "Benvenuto su {{0}}";
594
643
  static get WhatWouldYouLikeToArchive(): "Was möchten Sie archivieren?" | "What would you like to archive?" | "¿Qué te gustaría archivar?" | "Que souhaitez-vous archiver?" | "O que gostaria de arquivar?" | "Cosa vorresti archiviare?";
644
+ static get Widget_Activities(): "Aktivitäten" | "Activities" | "Actividades" | "Activités" | "Atividades" | "Attività";
645
+ static get Workflow(): "Arbeitsablauf" | "Workflow" | "Flujo de trabajo" | "Flux de travail" | "Fluxo de trabalho" | "Flusso di lavoro";
595
646
  static get WorkflowAddDcmtToWg(): "Hinzufügen des Dokuments zu Arbeitsgruppendokumenten" | "Add the document to the workgroup documents" | "Añadir el documento a los documentos del grupo de trabajo" | "Ajouter le document aux documents du groupe de travail" | "Adicione o documento aos documentos do grupo de trabalho" | "Aggiungere il documento ai documenti del gruppo di lavoro";
596
647
  static get WorkflowAddDraftToWg(): "Hinzufügen des Dokuments zu Arbeitsgruppenentwürfen" | "Add the document to the workgroup drafts" | "Añadir el documento a los borradores del grupo de trabajo" | "Ajouter le document au brouillon du groupe de travail" | "Adicione o documento ao rascunho do grupo de trabalho" | "Aggiungere il documento alle bozze del gruppo di lavoro";
597
648
  static get WorkflowAllowZeroTos(): "0 Empfänger zulassen" | "Allow 0 recipients" | "Permitir 0 destinatarios" | "Autoriser 0 destinataires" | "Permitir 0 destinatários" | "Consenti 0 destinatari";