From 69ee4d908c782ee406e634448d11d9ecc4be3d3a Mon Sep 17 00:00:00 2001 From: Sophia Grimm Date: Mon, 3 Jun 2024 10:56:53 +0200 Subject: [PATCH 01/30] Bugfix/5116: frontend fix for multiple imports of the same remote asset - `select.js`: add data attribute `data-import-in-process` to asset once import process has started and remove it when import is done - `select.js`: check for new data attribute and only start import process if attribute does not exist - `select.js`: add notification to inform user that asset is being imported - `select.js`: add notification as warning for user if import is already in process - `Main.xlf`: add new notification messages for english - `Default.html`: add id for notification container to be able to send notifications to it via js - `Configuration.js`: update `hasConfiguration` after configuration object was created, because otherwise it will always be false and the translations don't work Issue: https://github.com/neos/neos-development-collection/issues/5116 --- .../Resources/Private/Layouts/Default.html | 2 +- .../Private/Translations/en/Main.xlf | 6 +++ .../Resources/Public/JavaScript/select.js | 42 ++++++++++++++----- .../JavaScript/Services/Configuration.js | 3 +- 4 files changed, 41 insertions(+), 12 deletions(-) diff --git a/Neos.Media.Browser/Resources/Private/Layouts/Default.html b/Neos.Media.Browser/Resources/Private/Layouts/Default.html index bad63b5e40c..5c14669cb2e 100644 --- a/Neos.Media.Browser/Resources/Private/Layouts/Default.html +++ b/Neos.Media.Browser/Resources/Private/Layouts/Default.html @@ -23,7 +23,7 @@
-
+
diff --git a/Neos.Media.Browser/Resources/Private/Translations/en/Main.xlf b/Neos.Media.Browser/Resources/Private/Translations/en/Main.xlf index 1dd0ef007a1..0070956c26e 100644 --- a/Neos.Media.Browser/Resources/Private/Translations/en/Main.xlf +++ b/Neos.Media.Browser/Resources/Private/Translations/en/Main.xlf @@ -433,6 +433,12 @@ Create missing variants + + Asset is being imported. Please wait. + + + Import still in process. Please wait. + diff --git a/Neos.Media.Browser/Resources/Public/JavaScript/select.js b/Neos.Media.Browser/Resources/Public/JavaScript/select.js index c62e95a1743..622ca8f59fa 100644 --- a/Neos.Media.Browser/Resources/Public/JavaScript/select.js +++ b/Neos.Media.Browser/Resources/Public/JavaScript/select.js @@ -12,17 +12,39 @@ window.addEventListener('DOMContentLoaded', (event) => { if (localAssetIdentifier !== '') { window.parent.NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); } else { - $.post( - $('link[rel="neos-media-browser-service-assetproxies-import"]').attr('href'), - { - assetSourceIdentifier: $(this).attr('data-asset-source-identifier'), - assetIdentifier: $(this).attr('data-asset-identifier'), - __csrfToken: $('body').attr('data-csrf-token') - }, - function(data) { - window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); - } + if ($(this).attr('data-import-in-process') !== 'true') { + $(this).attr('data-import-in-process', 'true') + const message = window.NeosCMS.I18n.translate( + 'assetImport.importInfo', + 'Asset is being imported. Please wait.', + 'Neos.Media.Browser', + 'Main', + [] + ) + window.NeosCMS.Notification.ok(message) + $.post( + $('link[rel="neos-media-browser-service-assetproxies-import"]').attr('href'), + { + assetSourceIdentifier: $(this).attr('data-asset-source-identifier'), + assetIdentifier: $(this).attr('data-asset-identifier'), + __csrfToken: $('body').attr('data-csrf-token') + }, + function (data) { + window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); + $(this).remove('data-import-in-process') + } ); + } + else { + const message = window.NeosCMS.I18n.translate( + 'assetImport.importInProcess', + 'Import still in process. Please wait.', + 'Neos.Media.Browser', + 'Main', + [] + ) + window.NeosCMS.Notification.warning(message) + } } e.preventDefault(); } diff --git a/Neos.Neos/Resources/Public/JavaScript/Services/Configuration.js b/Neos.Neos/Resources/Public/JavaScript/Services/Configuration.js index d88f71c982d..287bffb0001 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Services/Configuration.js +++ b/Neos.Neos/Resources/Public/JavaScript/Services/Configuration.js @@ -1,6 +1,6 @@ import { getCollectionValueByPath, isNil } from "../Helper"; -const hasConfiguration = !isNil(window.NeosCMS?.Configuration); +let hasConfiguration = !isNil(window.NeosCMS?.Configuration); const init = () => { if (isNil(window.NeosCMS)) { @@ -9,6 +9,7 @@ const init = () => { if (isNil(window.NeosCMS.Configuration)) { window.NeosCMS.Configuration = {}; + hasConfiguration = true; } // append xliff uri From 02c8b3e6c296935d30201562897bcefe948767da Mon Sep 17 00:00:00 2001 From: Sophia Grimm Date: Mon, 3 Jun 2024 12:40:07 +0200 Subject: [PATCH 02/30] Bugfix/5116: use `removeAttr()` instead of `remove()` Issue: https://github.com/neos/neos-development-collection/issues/5116 --- Neos.Media.Browser/Resources/Public/JavaScript/select.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Neos.Media.Browser/Resources/Public/JavaScript/select.js b/Neos.Media.Browser/Resources/Public/JavaScript/select.js index 622ca8f59fa..6544818dfb3 100644 --- a/Neos.Media.Browser/Resources/Public/JavaScript/select.js +++ b/Neos.Media.Browser/Resources/Public/JavaScript/select.js @@ -31,7 +31,7 @@ window.addEventListener('DOMContentLoaded', (event) => { }, function (data) { window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); - $(this).remove('data-import-in-process') + $(this).removeAttr('data-import-in-process') } ); } From 9842b1b121486dcfd0756641df8fc08a8d7e41f4 Mon Sep 17 00:00:00 2001 From: Sophia Grimm Date: Mon, 3 Jun 2024 12:53:45 +0200 Subject: [PATCH 03/30] Bugfix/5116: only use one `=` for assigning container id Issue: https://github.com/neos/neos-development-collection/issues/5116 --- Neos.Media.Browser/Resources/Private/Layouts/Default.html | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Neos.Media.Browser/Resources/Private/Layouts/Default.html b/Neos.Media.Browser/Resources/Private/Layouts/Default.html index 5c14669cb2e..63201d802b1 100644 --- a/Neos.Media.Browser/Resources/Private/Layouts/Default.html +++ b/Neos.Media.Browser/Resources/Private/Layouts/Default.html @@ -23,7 +23,7 @@
-
+
From 3a50bceed3ca008e52884a578186af7f5cc92086 Mon Sep 17 00:00:00 2001 From: Peter Wyss Date: Mon, 3 Jun 2024 15:38:51 +0200 Subject: [PATCH 04/30] BUGFIX: Title Attribute for impersonate button in user management The title text of impersonate button and restore button was always in english. Issue #4511 --- .../Public/JavaScript/Templates/ImpersonateButton.js | 6 +++--- .../Resources/Public/JavaScript/Templates/RestoreButton.js | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js b/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js index 15ac6b5b6ed..afab7e0a723 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js +++ b/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js @@ -1,11 +1,11 @@ import {isNil} from "../Helper" const impersonateIcon = '' -const localizedTooltip = !isNil(window.Typo3Neos) ? - window.NeosCMS.I18n.translate('impersonate.tooltip.impersonateUserButton', 'Login as this user', 'Neos.Neos') : - 'Login as this user'; const ImpersonateButton = (identifier, disabled) => { + const localizedTooltip = !isNil(window.NeosCMS) ? + window.NeosCMS.I18n.translate('impersonate.tooltip.impersonateUserButton', 'Login as this user', 'Neos.Neos') : + 'Login as this user'; const attributesObject = { 'data-neos-toggle': 'tooltip', 'title': localizedTooltip, diff --git a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js index 9357e4cc814..2d7ff04e8f7 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js +++ b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js @@ -12,7 +12,7 @@ const RestoreButton = (user) => { attributes += `${key}="${attributesObject[key]}" ` }) - const restoreLabel = isNil(window.NeosCMS) + const restoreLabel = !isNil(window.NeosCMS) ? window.NeosCMS.I18n.translate( 'impersonate.label.restoreUserButton', 'Back to user "{0}"', From b4766bdb0971c586ee62c09227aab4541c9a3d99 Mon Sep 17 00:00:00 2001 From: Peter Wyss Date: Mon, 3 Jun 2024 17:25:31 +0200 Subject: [PATCH 05/30] BUGFIX: Title Attribute for impersonate button in user management beautify code #4511 --- .../Public/JavaScript/Templates/ImpersonateButton.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js b/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js index afab7e0a723..d7db589dcc1 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js +++ b/Neos.Neos/Resources/Public/JavaScript/Templates/ImpersonateButton.js @@ -4,8 +4,8 @@ const impersonateIcon = '' const ImpersonateButton = (identifier, disabled) => { const localizedTooltip = !isNil(window.NeosCMS) ? - window.NeosCMS.I18n.translate('impersonate.tooltip.impersonateUserButton', 'Login as this user', 'Neos.Neos') : - 'Login as this user'; + window.NeosCMS.I18n.translate('impersonate.tooltip.impersonateUserButton', 'Login as this user', 'Neos.Neos') : + 'Login as this user'; const attributesObject = { 'data-neos-toggle': 'tooltip', 'title': localizedTooltip, From f04dde3c8b5c7fa851f53236042d8b7dfccf7ccd Mon Sep 17 00:00:00 2001 From: Alexander Girod Date: Sun, 2 Jun 2024 17:25:59 +0000 Subject: [PATCH 06/30] TASK: Translated using Weblate (German) Currently translated at 100.0% (280 of 280 strings) Translation: Neos/Neos.Neos- Main - 8.3 Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-main-8-3/de/ --- .../Private/Translations/de/Main.xlf | 602 +++++++++--------- 1 file changed, 317 insertions(+), 285 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/de/Main.xlf b/Neos.Neos/Resources/Private/Translations/de/Main.xlf index cb4702d29dd..b260033abfb 100644 --- a/Neos.Neos/Resources/Private/Translations/de/Main.xlf +++ b/Neos.Neos/Resources/Private/Translations/de/Main.xlf @@ -4,1098 +4,1098 @@ - Auto-Publish + Auto-Publish Automatisch Veröffentlichen - Auto-Publish to {0} + Auto-Publish to {0} Automatisch nach {0} veröffentlichen - Review changes + Review changes Änderungen überprüfen - Apply + Apply Übernehmen - Apply changes + Apply changes Änderungen übernehmen - Cancel + Cancel Abbrechen - Back + Back Zurück - Choose + Choose Auswählen - Type to search + Type to search Eingabe zur Suche - Content + Content Inhalt - Node + Node Knoten - Content View + Content View Inhaltsansicht - Create after + Create after Erstellen nach - Create new + Create new Neu erstellen - Close + Close Schließen - Copy + Copy Kopieren - Cut + Cut Ausschneiden - Delete + Delete Löschen - Yes, delete the element + Yes, delete the element Ja, das Element löschen - Delete the element + Delete the element Element löschen - Discard + Discard Verwerfen - - Discard changes - Verwerfen + + Discard changes + Änderungen verwerfen - Edit title + Edit title Titel bearbeiten - Edit / Preview + Edit / Preview Bearbeiten / Vorschau - Edit + Edit Bearbeiten - Hide / Unhide + Hide / Unhide Verbergen / Anzeigen - Hide + Hide Ausblenden - Unhide + Unhide Einblenden - into + into in - before + before vor - after + after nach - Loading + Loading Lade - New After + New After Neues Element danach - New Before + New Before Neues Element davor - New Into + New Into Neues Element in - Navigate + Navigate Navigieren - OK + OK OK - Page + Page Seite - Paste + Paste Einfügen - Paste After + Paste After Danach einfügen - Paste Before + Paste Before Davor einfügen - Paste Into + Paste Into Element einfügen in - Password + Password Passwort - Preview + Preview Vorschau - Publish + Publish Veröffentlichen - Publish to {0} + Publish to {0} Nach {0} veröffentlichen - Publish all changes for current page + Publish all changes for current page Alle Änderungen für die aktuelle Seite veröffentlichen - Can't publish because the target workspace is read-only + Can't publish because the target workspace is read-only Kann nicht veröffentlicht werden, da der Ziel-Arbeitsbereich schreibgeschützt ist - Select target workspace + Select target workspace Ziel-Workspace auswählen - Publishing + Publishing Veröffentliche - Published + Published Veröffentlicht - Toggle publish menu + Toggle publish menu Veröffentlichungsmenü umschalten - Target workspace + Target workspace Zielarbeitsbereich - Current workspace + Current workspace Aktueller Arbeitsbereich - Remove + Remove Entfernen - Refresh + Refresh Aktualisieren - Save + Save Speichern - Saving + Saving Speichert - Saved + Saved Gespeichert - Search + Search Suche - - Toggle inspector - Inspector auf- / zuklappen + + Toggle inspector + Inspektor auf- / zuklappen - Username + Username Benutzername - You + You Sie - [no title] + [no title] [kein Titel] - Label + Label Bezeichnung - Content Type + Content Type Inhaltstyp - Path + Path Pfad - Relative Path + Relative Path Relativer Pfad - Version + Version Version - This operation cannot be undone. + This operation cannot be undone. Dieser Vorgang kann nicht rückgängig gemacht werden. - - Asset - Asset + + Asset + Datei - Created + Created Erstellt - Last modification + Last modification Letzte Änderung - Last publication + Last publication Letzte Publikation - Identifier + Identifier Bezeichner - Name + Name Name - Workspace + Workspace Arbeitsbereich - Structure + Structure Struktur - Toggle context structure + Toggle context structure Kontextstruktur umschalten - Filter + Filter Filter - Toggle menu + Toggle menu Menü umschalten - Load error! + Load error! Ladefehler! - You have to select a node + You have to select a node Sie müssen einen Knoten auswählen - The Root node cannot be deleted. + The Root node cannot be deleted. Der Wurzelknoten kann nicht gelöscht werden. - You cannot copy this node + You cannot copy this node Dieser Knoten kann nicht kopiert werden - You cannot cut this node + You cannot cut this node Dieser Knoten kann nicht ausgeschnitten werden - Content Dimensions + Content Dimensions Content-Dimensionen - Site + Site Site - Document + Document Dokument - Reference + Reference Referenz - Host + Host Host - Scheme + Scheme Schema - Port + Port Port - Primary + Primary Primär - Package + Package Paket - Deactivated + Deactivated Deaktiviert - Unavailable + Unavailable Nicht verfügbar - Inactive + Inactive Deaktiviert - Click to edit + Click to edit Zum Bearbeiten klicken - Click to deactivate + Click to deactivate Klicken zum Deaktivieren - Click to activate + Click to activate Klicken zum Aktivieren - Click to delete + Click to delete Klicken zum Löschen - Click to create new + Click to create new Klicken zur Neuerstellung - Status + Status Status - Active + Active Aktiv - Domains + Domains Domains - Domain + Domain Domain - Yes, delete it! + Yes, delete it! Ja, wirklich löschen! - - Package Key - Paket-Schlüssel + + Package Key + Paketschlüssel - Description + Description Beschreibung - Toggle content tree + Toggle content tree Inhaltsbaum umschalten - Show publish options + Show publish options Veröffentlichungsoptionen anzeigen - Activate Fullscreen edit mode + Activate Fullscreen edit mode Vollbild-Bearbeitungsmodus aktivieren - Deactivate Fullscreen edit mode + Deactivate Fullscreen edit mode Vollbild-Bearbeitungsmodus deaktivieren - Show preview + Show preview Vorschau anzeigen - General + General Allgemeines - Structure + Structure Struktur - Plugins + Plugins Plugins - Click {0} to continue to the page. + Click {0} to continue to the page. Klicken Sie hier, um zur Seite {0} zu gelangen. - Click {0} to see the file. + Click {0} to see the file. Klicken Sie hier, um zum Medienelement {0} zu gelangen. - Click {0} to open the link. + Click {0} to open the link. Klicken Sie hier, um zur externen Seite {0} zu gelangen. - (no target has been selected) + (no target has been selected) (kein Ziel ausgewählt) - This is a shortcut to the first child page.<br />Click {0} to continue to the page. + This is a shortcut to the first child page.<br />Click {0} to continue to the page. Dies ist ein Verweis auf die erste Unterseite.<br />Klicken sie auf {0}, um zur Seite zu gelangen. - This is a shortcut to the parent page.<br />Click {0} to continue to the page. + This is a shortcut to the parent page.<br />Click {0} to continue to the page. Dies ist ein Verweis auf die übergeordnete Seite.<br />Klicken Sie auf {0}, um zur Seite zu gelangen. - Full Screen + Full Screen Vollbild - Open page in live workspace + Open page in live workspace Deprecated, replaced by previewShortcutButton.title Seite im Live-Arbeitsbereich öffnen - Open page in target workspace + Open page in target workspace Seite in Ziel-Workspace öffnen - Discard all + Discard all Alle verwerfen - Discard all changes + Discard all changes Alle Änderungen verwerfen - Are you sure that you want to discard all changes in this workspace? + Are you sure that you want to discard all changes in this workspace? Sind Sie sicher, dass Sie alle Änderungen in diesem Workspace verwerfen möchten? - Are you sure that you want to discard {numberOfChanges} change(s) in this workspace? + Are you sure that you want to discard {numberOfChanges} change(s) in this workspace? Sind Sie sicher, dass Sie {numberOfChanges} Änderung(en) in diesem Arbeitsbereich verwerfen möchten? - Publish all + Publish all Alles veröffentlichen - Publish all changes + Publish all changes Alle Änderungen veröffentlichen - Are you sure that you want to publish all changes? + Are you sure that you want to publish all changes? Sind Sie sicher, dass Sie alle Änderungen veröffentlichen möchten? - Pending changes + Pending changes Ausstehende Änderungen - Your personal workspace currently contains unpublished changes. In order to switch to a different target workspace you need to either publish or discard pending changes first. + Your personal workspace currently contains unpublished changes. In order to switch to a different target workspace you need to either publish or discard pending changes first. Ihr persönlicher Arbeitsbereich enthält derzeit unveröffentlichte Änderungen. Um zu einem anderen Ziel-Arbeitsbereich zu wechseln, müssen Sie die Inhalte zunächst entweder veröffentlichen oder verwerfen. - Please review your changes, publish or discard them, and then choose a new target workspace again. + Please review your changes, publish or discard them, and then choose a new target workspace again. Bitte überprüfen Sie Ihre Änderungen, veröffentlichen oder verwerfen sie und wählen Sie dann erneut einen neuen Ziel-Arbeitsbereich. - Editing Modes + Editing Modes Bearbeitungsmodus - Preview Central + Preview Central Vorschau Zentrale - You still have changes. What do you want to do with them? + You still have changes. What do you want to do with them? Es sind noch Änderungen vorhanden. Was soll mit ihnen geschehen? - Selected element + Selected element Ausgewähltes Element - There are fields that are not correctly filled in. + There are fields that are not correctly filled in. Einige Felder sind nicht korrekt ausgefüllt. - The fields marked with an error are not yet correctly filled in. Please complete them properly. + The fields marked with an error are not yet correctly filled in. Please complete them properly. Die markierten Felder sind noch nicht korrekt ausgefüllt. Bitte korrigieren Sie diese. - Continue editing + Continue editing Bearbeitung fortsetzen - Throw away + Throw away Verwerfen - Apply + Apply Übernehmen - Select a Plugin + Select a Plugin Plugin auswählen - No plugin configured + No plugin configured Kein Plugin konfiguriert - view is displayed on page + view is displayed on page Darstellung wird auf der Seite angezeigt - view is displayed on current page + view is displayed on current page Darstellung wird auf der aktuellen Seite angezeigt - No date set + No date set Kein Datum ausgewählt - Edit code + Edit code Code bearbeiten - Paste a link, or type to search + Paste a link, or type to search Link einfügen oder Eingabe zur Suche - Unable to load sub node types of: + Unable to load sub node types of: Kann untergeordnete Nodetypen von Folgenden nicht laden: - Change type + Change type Typ ändern - Additional info + Additional info Zusätzliche Informationen - Visibility + Visibility Sichtbarkeit - Document options + Document options Dokumentoptionen - The length of this text must be between {minimum} and {maximum} characters. + The length of this text must be between {minimum} and {maximum} characters. Die Länge dieses Textes muss zwischen {minimum} und {maximum} Zeichen sein. - This field must contain at least {minimum} characters. + This field must contain at least {minimum} characters. Dieses Feld muss mindestens {minimum} Zeichen enthalten. - This text may not exceed {maximum} characters. + This text may not exceed {maximum} characters. Dieser Text darf {maximum} Zeichen nicht überschreiten. - Only regular characters (a to z, umlauts, ...) and numbers are allowed. + Only regular characters (a to z, umlauts, ...) and numbers are allowed. Nur Buchstaben (A-Z, Umlaute usw.) und Ziffern sind erlaubt. - The given subject was not countable. + The given subject was not countable. Das Objekt ist nicht zählbar. - The count must be between {minimum} and {maximum}. + The count must be between {minimum} and {maximum}. Die Anzahl muss zwischen {minimum} und {maximum} liegen. - The given value was not a valid date. + The given value was not a valid date. Der angegebene Wert ist kein gültiges Datum. - The given date must be between {formatEarliestDate} and {formatLatestDate} + The given date must be between {formatEarliestDate} and {formatLatestDate} Das angegebene Datum muss zwischen {formatEarliestDate} und {formatLatestDate} liegen - The given date must be after {formatEarliestDate} + The given date must be after {formatEarliestDate} Das angegebene Datum muss nach {formatEarliestDate} liegen - The given date must be before {formatLatestDate} + The given date must be before {formatLatestDate} Das angegebene Datum muss vor {formatLatestDate} liegen - Please specify a valid email address. + Please specify a valid email address. Bitte geben Sie eine gültige E-Mail-Adresse an. - A valid float number is expected. + A valid float number is expected. Eine gültige Dezimalzahl wird erwartet. - A valid integer number is expected. + A valid integer number is expected. Eine gültige Ganzzahl wird erwartet. - Only letters, numbers, spaces and certain punctuation marks are expected. + Only letters, numbers, spaces and certain punctuation marks are expected. Nur Buchstaben, Ziffern, Leerzeichen und bestimmte Satzzeichen sind erlaubt. - This property is required. + This property is required. Diese Eigenschaft ist erforderlich. - A valid number is expected. + A valid number is expected. Eine gültige Zahl wird erwartet. - - Please enter a valid number between {minimum} and {maximum} - Bitte geben Sie eine gültige Zahl zwischen {minimum} und {maximum} ein. + + Please enter a valid number between {minimum} and {maximum} + Bitte geben Sie eine gültige Zahl zwischen {minimum} und {maximum} ein - The given subject did not match the pattern ({pattern}) + The given subject did not match the pattern ({pattern}) Der angegebene Wert stimmt nicht mit dem Muster ({pattern}) überein - A valid string is expected. + A valid string is expected. Eine gültige Zeichenfolge wird erwartet. - Valid text without any XML tags is expected. + Valid text without any XML tags is expected. Gültiger Text ohne XML-Tags wird erwartet. - The given subject is not a valid UUID. + The given subject is not a valid UUID. Der Wert ist keine gültige UUID. - Toggle content dimensions selector + Toggle content dimensions selector Content-Dimensions-Auswahl umschalten - Start with an empty or pre-filled document? + Start with an empty or pre-filled document? Mit leerem oder bereits ausgefülltem Dokument beginnen? - This {nodeTypeLabel} does not exist yet in {currentDimensionChoiceText}. + This {nodeTypeLabel} does not exist yet in {currentDimensionChoiceText}. Dieses Element ({nodeTypeLabel}) existiert noch nicht in {currentDimensionChoiceText}. - You can create it now, either starting with an empty {nodeTypeLabel} or copying all content from the currently visible {nodeTypeLabel} in {currentDocumentDimensionChoiceText}. + You can create it now, either starting with an empty {nodeTypeLabel} or copying all content from the currently visible {nodeTypeLabel} in {currentDocumentDimensionChoiceText}. Sie können es jetzt erstellen, indem Sie entweder mit einem leeren {nodeTypeLabel}-Element beginnen oder indem Sie alle Inhalte von dem aktuell sichtbaren {nodeTypeLabel}-Element in {currentDocumentDimensionChoiceText} kopieren. - Additionally, there are {numberOfNodesMissingInRootline} ancestor documents which do not exist in the chosen variant either, and which will be created as well. + Additionally, there are {numberOfNodesMissingInRootline} ancestor documents which do not exist in the chosen variant either, and which will be created as well. In der gewählten Variante gibt es {numberOfNodesMissingInRootline} übergeordnete Elemente die bei diesem Vorgang auch erstellt werden. - Create empty + Create empty Leer erstellen - Create and copy + Create and copy Erstellen und kopieren - Content + Content Inhalt - Toggle menu group + Toggle menu group Menügruppe umschalten - Toggle sticky menu mode + Toggle sticky menu mode Festes Menü verbergen / anzeigen - Do you really want to delete + Do you really want to delete Möchten Sie das Element wirklich löschen - This will delete the element + This will delete the element Dadurch wird das Element gelöscht - and it's children + and it's children einschließlich seiner Unterelemente - This action can be undone in the workspace management. + This action can be undone in the workspace management. Diese Aktion kann im Arbeitsbereich-Modul rückgängig gemacht werden. - Height + Height Höhe - Do you really want to delete + Do you really want to delete Möchten Sie das Element wirklich löschen - this element + this element Dieses Element - This will delete the element. + This will delete the element. Dadurch wird das Element gelöscht. - This action can be undone in the workspace management. + This action can be undone in the workspace management. Diese Aktion kann im Arbeitsbereich-Modul rückgängig gemacht werden. - Media + Media Medien - Crop + Crop Beschneiden - Width + Width Breite - Missing required property: + Missing required property: Erforderlicher Wert fehlt: - Workspace + Workspace Arbeitsbereich - Workspaces + Workspaces Arbeitsbereiche - An error occurred during saving + An error occurred during saving Beim Speichern ist ein Fehler aufgetreten - Reload the page to attempt to fix the problem. + Reload the page to attempt to fix the problem. Versuchen Sie das Problem zu beheben indem Sie die Seite neu laden. - Reload the backend + Reload the backend Backend neu laden - Reload + Reload Neu laden - In-Place + In-Place Direktes Editieren - Raw Content + Raw Content Roh-Ansicht - Raw Content Mode + Raw Content Mode Nur-Inhalt-Modus - Desktop + Desktop Desktop-Ansicht - Login to + Login to Neos Login - Authenticating + Authenticating Authentifiziere - Logout + Logout Abmelden - The entered username or password was wrong + The entered username or password was wrong Der eingegebene Benutzername oder das Kennwort war falsch - Your login has expired. Please log in again. + Your login has expired. Please log in again. Ihr Login ist abgelaufen. Bitte melden Sie sich erneut an. - Welcome to Neos + Welcome to Neos Willkommen bei Neos - Go to setup + Go to setup Zum Setup - Technical Information + Technical Information Technische Informationen - Missing Homepage + Missing Homepage Fehlende Startseite - Either no site has been defined, the site does not contain a homepage or the active site couldn't be determined. + Either no site has been defined, the site does not contain a homepage or the active site couldn't be determined. Entweder wurde noch keine Site definiert, eine bestehende Site enthält noch keine Startseite oder es konnte keine aktive Site ermittelt werden. - You might want to set the site's domain or import a new site in the setup. + You might want to set the site's domain or import a new site in the setup. Weisen Sie entweder einer bestehenden Site eine Domain zu oder importieren Sie eine neue Site über das Setup-Tool. - Database Error + Database Error Datenbankfehler - There is no database connection yet or the Neos database schema has not been created. + There is no database connection yet or the Neos database schema has not been created. Es konnte keine Datenbankverbindung hergestellt werden oder das Neos Datenbankschema wurde noch nicht erstellt. - Run the setup to configure your database. + Run the setup to configure your database. Führen Sie das Setup aus, um die Datenbank zu konfigurieren. - Page Not Found + Page Not Found Seite nicht gefunden - Sorry, the page you requested was not found. + Sorry, the page you requested was not found. Die angeforderte Seite konnte nicht gefunden werden. - Invalid NodeType + Invalid NodeType Ungültiger Knotentyp - The configuration of the NodeType that is supposed to be rendered here is not available. Probably you renamed the NodeType and are missing a migration or you simply misspelled it. + The configuration of the NodeType that is supposed to be rendered here is not available. Probably you renamed the NodeType and are missing a migration or you simply misspelled it. Die Konfiguration des Kontentyps, der hier dargestellt werden soll, ist nicht verfügbar. Wahrscheinlich haben Sie den Knotentyp umbenannt und es fehlt eine Migration oder Sie haben sich einfach verschrieben. - Unexpected error while creating node + Unexpected error while creating node Unerwarteter Fehler beim Erstellen des Knotens - Unexpected error while deleting node + Unexpected error while deleting node Unerwarteter Fehler beim Löschen des Knotens - Unexpected error while updating node + Unexpected error while updating node Unerwarteter Fehler beim Aktualisieren des Knotens - Unexpected error while moving node + Unexpected error while moving node Unerwarteter Fehler beim Verschieben des Knotens - Node Tree loading error. + Node Tree loading error. Beim Laden des Nodetrees trat ein Fehler auf. - The entered username or password was wrong + The entered username or password was wrong Der eingegebene Benutzername oder das Kennwort war falsch - "{nodeTypeName}" on page "{pageLabel}" + "{nodeTypeName}" on page "{pageLabel}" "{nodeTypeName}" auf Seite "{pageLabel}" - Nodes + Nodes Knoten - Show + Show Anzeigen - This node cannot be accessed through a public URL + This node cannot be accessed through a public URL Dieses Element kann nicht über eine öffentliche URL aufgerufen werden - Node Properties + Node Properties Element-Eigenschaften - Copy {source} to {target} + Copy {source} to {target} {source} zu {target} kopieren - Move {source} to {target} + Move {source} to {target} {source} zu {target} verschieben - Please select the position at which you want {source} inserted relative to {target}. + Please select the position at which you want {source} inserted relative to {target}. Bitte wählen Sie die Position an der Sie {source} relativ zu {target} Einfügen möchten. - Insert + Insert Einfügen - Insert mode + Insert mode Einfügemodus - Choose an Aspect Ratio + Choose an Aspect Ratio Wählen Sie ein Seitenverhältnis - Bold + Bold Fett - Italic + Italic Kursiv - Underline + Underline Unterstrichen - Subscript + Subscript Tiefgestellt - Superscript + Superscript Hochgestellt - Strikethrough + Strikethrough Durchgestrichen - Link + Link Link - Ordered list + Ordered list Geordnete Liste - Unordered list + Unordered list Ungeordnete Liste - Align left + Align left Linksbündig - Align right + Align right Rechtsbündig - Align center + Align center Zentriert - Align justify + Align justify Blocksatz - Table + Table Tabelle - Remove format + Remove format Format entfernen - Outdent + Outdent Einzug verringern - Indent + Indent Einzug vergrößern - Create new + Create new Neu erstellen - No matches found + No matches found Keine Treffer gefunden - Please enter ###CHARACTERS### more character + Please enter ###CHARACTERS### more character Bitte geben Sie ###CHARACTERS### mehr Zeichen ein - Wrong Credentials + Wrong Credentials Falsche Anmeldeinformationen - The entered username or password was wrong + The entered username or password was wrong Der eingegebene Benutzername oder das Kennwort war falsch - Logged Out + Logged Out Abgemeldet - Successfully logged out + Successfully logged out Erfolgreich abgemeldet @@ -1103,12 +1103,44 @@ Dies ist eine Verknüpfung zu einem gewählten Ziel: - Document Tree - Dokumentbaum + Document Tree + Dokumentbaum - Content Tree - Inhaltsbaum + Content Tree + Inhaltsbaum + + + Could not switch to the selected user. + Es konnte nicht zum ausgewählten Benutzer gewechselt werden. + + + Switched to the new user "{0}". + Zum neuen Benutzer "{0}" gewechselt. + + + Login as user + Als Benutzer anmelden + + + Could not switch back to the original user. + Es konnte nicht zum ursprünglichen Benutzer zurückgewechselt werden. + + + Switched back from "{0}" to the orginal user "{1}" + Zurückgewechselt von "{0}" zum ursprünglichen Benutzer "{1}" + + + Can't publish a single node in a new page + Eine einzelner Knoten kann nicht auf einer neuen Seite zu veröffentlicht werden + + + Back to user "{0}" + Zurück zu Benutzer "{0}" + + + Switch back to the orginal user account + Zurück zum ursprünglichen Benutzerkonto wechseln From 2850c3ad203ba6c0060eb02cbbfe5e61b683850e Mon Sep 17 00:00:00 2001 From: Alexander Girod Date: Sun, 2 Jun 2024 19:43:43 +0000 Subject: [PATCH 07/30] TASK: Translated using Weblate (German) Currently translated at 100.0% (143 of 143 strings) Translation: Neos/Neos.Media.Browser - Main - 8.3 Translate-URL: https://hosted.weblate.org/projects/neos/neos-media-browser-main-8-3/de/ --- .../Private/Translations/de/Main.xlf | 703 +++++++++++------- 1 file changed, 425 insertions(+), 278 deletions(-) diff --git a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf index e8b33fec2d9..b9317622ff0 100644 --- a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf +++ b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf @@ -3,341 +3,453 @@ - Drag and drop an asset on a collection / tag to add them to it. - Asset per Drag & Drop auf eine Sammlung / einen Tag ziehen, um es hinzuzufügen. + Drag and drop an asset on a collection / tag to add them to it. + Asset per Drag & Drop auf eine Sammlung / einen Tag ziehen, um es hinzuzufügen. + - Keep the filename "{0}" - Den Dateinamen "{0}" beibehalten + Keep the filename "{0}" + Den Dateinamen "{0}" beibehalten + - Media - Medien + Media + Medien + - This module allows managing of media assets including pictures, videos, audio and documents. - Dieses Modul ermöglicht die Verwaltung von Medienelementen wie Bildern, Videos, Audios und Dokumenten. + This module allows managing of media assets including pictures, videos, audio and documents. + Dieses Modul ermöglicht die Verwaltung von Medienelementen wie Bildern, Videos, Audios und Dokumenten. + - Name - Name + Name + Name + - Title - Titel + Title + Titel + - Label - Bezeichnung + Label + Bezeichnung + - Caption - Beschriftung + Caption + Beschriftung + - Copyright Notice - Urheberrechtshinweis + Copyright Notice + Urheberrechtshinweis + - Last modified - Zuletzt geändert + Last modified + Zuletzt geändert + - File size - Dateigröße + File size + Dateigröße + - Type - Typ + Type + Typ + - Tags - Tags + Tags + Tags + - Sort by name - Nach Namen sortieren + Sort by name + Nach Namen sortieren + - Sort by last modified - Nach Änderungsdatum sortieren + Sort by last modified + Nach Änderungsdatum sortieren + - Sort by - Sortieren nach + Sort by + Sortieren nach + - Sort direction - Sortierreihenfolge + Sort direction + Sortierreihenfolge + - Ascending - Aufsteigend + Ascending + Aufsteigend + - Descending - Absteigend + Descending + Absteigend + - Sort direction Ascending - Sortierrichtung Aufsteigend + Sort direction Ascending + Sortierrichtung Aufsteigend + - Sort direction Descending - Sortierrichtung Absteigend + Sort direction Descending + Sortierrichtung Absteigend + - Drag and drop on tag or collection - Auf Tag oder Sammlung ziehen und loslassen + Drag and drop on tag or collection + Auf Tag oder Sammlung ziehen und loslassen + - View - Ansicht + View + Ansicht + - View asset - Asset anzeigen + View asset + Asset anzeigen + - Edit asset - Asset bearbeiten + Edit asset + Asset bearbeiten + - Delete asset - Asset löschen + Delete asset + Asset löschen + - Do you really want to delete asset "{0}"? - Wollen Sie das Asset "{0}" wirklich löschen? + Do you really want to delete asset "{0}"? + Wollen Sie das Asset "{0}" wirklich löschen? + - Do you really want to delete collection "{0}"? - Wollen Sie die Sammlung "{0}" wirklich löschen? + Do you really want to delete collection "{0}"? + Wollen Sie die Sammlung "{0}" wirklich löschen? + - Do you really want to delete tag "{0}"? - Wollen Sie das Tag "{0}" wirklich löschen? + Do you really want to delete tag "{0}"? + Wollen Sie das Tag "{0}" wirklich löschen? + - This will delete the asset. - Dadurch wird das Asset gelöscht. + This will delete the asset. + Dadurch wird das Asset gelöscht. + - This will delete the collection, but not the assets that it contains. - Dadurch wird die Sammlung gelöscht, aber nicht die darin enthaltenen Assets. + This will delete the collection, but not the assets that it contains. + Dadurch wird die Sammlung gelöscht, aber nicht die darin enthaltenen Assets. + - This will delete the tag, but not the assets that has it. - Dadurch wird das Tag gelöscht, aber nicht die Assets denen es zugeordnet wurde. + This will delete the tag, but not the assets that has it. + Dadurch wird das Tag gelöscht, aber nicht die Assets denen es zugeordnet wurde. + - This operation cannot be undone. - Dieser Vorgang kann nicht rückgängig gemacht werden. + This operation cannot be undone. + Dieser Vorgang kann nicht rückgängig gemacht werden. + - Cancel - Abbrechen + Cancel + Abbrechen + - Replace - Ersetzen + Replace + Ersetzen + - Replace asset resource - Ressource ersetzen + Replace asset resource + Ressource ersetzen + - Save - Speichern + Save + Speichern + - Yes, delete the asset - Ja, Asset löschen + Yes, delete the asset + Ja, Asset löschen + - Yes, delete the collection - Ja, bitte die Sammlung löschen + Yes, delete the collection + Ja, bitte die Sammlung löschen + - Yes, delete the tag - Ja, bitte das Tag löschen + Yes, delete the tag + Ja, bitte das Tag löschen + - Edit {0} - {0} bearbeiten + Edit {0} + {0} bearbeiten + - Search in assets - Assets durchsuchen + Search in assets + Assets durchsuchen + - Search - Suche + Search + Suche + - {0} items - {0} Elemente + {0} items + {0} Elemente + - found matching "{0}" - "{0}" gefunden + found matching "{0}" + "{0}" gefunden + - Upload - Hochladen + Upload + Hochladen + - Filter options - Filteroptionen + Filter options + Filteroptionen + - Display all asset types - Alle Asset-Typen anzeigen + Display all asset types + Alle Asset-Typen anzeigen + - Only display image assets - Nur Bilder anzeigen + Only display image assets + Nur Bilder anzeigen + - Only display document assets - Nur Dokumente anzeigen + Only display document assets + Nur Dokumente anzeigen + - Only display video assets - Nur Videos anzeigen + Only display video assets + Nur Videos anzeigen + - Only display audio assets - Nur Audiodateien anzeigen + Only display audio assets + Nur Audiodateien anzeigen + - All - Alle + All + Alle + - Images - Bilder + Images + Bilder + - Documents - Dokumente + Documents + Dokumente + - Video - Video + Video + Video + - Audio - Audio + Audio + Audio + - Sort options - Sortieroptionen + Sort options + Sortieroptionen + - List view - Listenansicht + List view + Listenansicht + - Thumbnail view - Miniaturansicht + Thumbnail view + Miniaturansicht + - Connection error - Verbindungsfehler + Connection error + Verbindungsfehler + - Media source - Medienquelle + Media source + Medienquelle + - Media sources - Medienquellen + Media sources + Medienquellen + - Collections - Sammlungen + Collections + Sammlungen + - Edit collections - Sammlungen bearbeiten + Edit collections + Sammlungen bearbeiten + - Edit collection - Sammlung bearbeiten + Edit collection + Sammlung bearbeiten + - Delete collection - Sammlung löschen + Delete collection + Sammlung löschen + - Create collection - Sammlung erstellen + Create collection + Sammlung erstellen + - Enter collection title - Titel der Sammlung eingeben + Enter collection title + Titel der Sammlung eingeben + - All collections - Alle Sammlungen + All collections + Alle Sammlungen + - Tags - Tags + Tags + Tags + - Edit tags - Tags bearbeiten + Edit tags + Tags bearbeiten + - Edit tag - Tag bearbeiten + Edit tag + Tag bearbeiten + - Delete tag - Tag löschen + Delete tag + Tag löschen + - Enter tag label - Tag-Label eingeben + Enter tag label + Tag-Label eingeben + - Create tag - Tag erstellen + Create tag + Tag erstellen + - All assets - Alle Assets + All assets + Alle Assets + - All - Alle + All + Alle + - Untagged assets - Assets ohne Tags + Untagged assets + Assets ohne Tags + - Untagged - Ohne Tag + Untagged + Ohne Tag + - Max. upload size {0} per file - Max. Uploadgröße {0} pro Datei + Max. upload size {0} per file + Max. Uploadgröße {0} pro Datei + - Drop files here - Dateien hier ablegen + Drop files here + Dateien hier ablegen + - or click to upload - oder klicken, um Datei hochzuladen + or click to upload + oder klicken, um Datei hochzuladen + - Choose file - Datei auswählen + Choose file + Datei auswählen + - No Assets found. - Es wurden keine Assets gefunden. + No Assets found. + Es wurden keine Assets gefunden. + - Basics - Allgemeines + Basics + Allgemeines + - Delete - Löschen + Delete + Löschen + - Click to delete - Klicken zum Löschen + Click to delete + Klicken zum Löschen + - Save - Speichern + Save + Speichern + - Metadata - Metadaten + Metadata + Metadaten + - Filename - Dateiname + Filename + Dateiname + - Last modified (resource) - Zuletzt geändert (Ressource) + Last modified (resource) + Zuletzt geändert (Ressource) + - File size - Dateigröße + File size + Dateigröße + - Dimensions - Dimensionen + Dimensions + Dimensionen + - Type - Typ + Type + Typ + - Identifier - Bezeichner + Identifier + Bezeichner + - Title - Titel + Title + Titel + - Caption - Beschriftung + Caption + Beschriftung + - Copyright Notice - Urheberrechtshinweis + Copyright Notice + Urheberrechtshinweis + - Preview - Vorschau + Preview + Vorschau + - Download - Download + Download + Download + - Next - Nächster + Next + Nächste + - Previous - Vorheriger + Previous + Vorheriger + - Cannot upload the file - Datei kann nicht hochgeladen werden + Cannot upload the file + Datei kann nicht hochgeladen werden + - No file selected - Keine Datei ausgewählt + No file selected + Keine Datei ausgewählt + - The file size of {0} exceeds the allowed limit of {1} - Die Dateigröße von {0} übersteigt das erlaubte Limit von {1} + The file size of {0} exceeds the allowed limit of {1} + Die Dateigröße von {0} übersteigt das erlaubte Limit von {1} + - for the file - für die Datei + for the file + für die Datei + - Only some of the files were successfully uploaded. Refresh the page to see the those. - Nur ein Teil der Dateien wurde erfolgreich hochgeladen. Aktualisieren Sie die Seite um zu sehen, welche. + Only some of the files were successfully uploaded. Refresh the page to see the those. + Nur ein Teil der Dateien wurde erfolgreich hochgeladen. Aktualisieren Sie die Seite um zu sehen, welche. + - Tagging the asset failed. - Beim Zuordnen des Tags ist ein Fehler aufgetreten. + Tagging the asset failed. + Beim Zuordnen des Tags ist ein Fehler aufgetreten. + - Adding the asset to the collection failed. - Beim Hinzufügen des Assets zur Sammlung ist ein Fehler aufgetreten. + Adding the asset to the collection failed. + Beim Hinzufügen des Assets zur Sammlung ist ein Fehler aufgetreten. + - Creating - Erstelle + Creating + Erstelle + - Asset could not be deleted, because there are still Nodes using it - Asset konnte nicht gelöscht werden, da es noch von Knoten verwendet wird + Asset could not be deleted, because there are still Nodes using it + Asset konnte nicht gelöscht werden, da es noch von Knoten verwendet wird + {0} usages @@ -349,86 +461,121 @@ - References to "{asset}" - Verweise auf "{asset}" + References to "{asset}" + Verweise auf "{asset}" + - Replace "{filename}" - "{filename}" ersetzen + Replace "{filename}" + "{filename}" ersetzen + - You can replace this asset by uploading a new file. Once replaced, the new asset will be used on all places where the asset is used on your website. - Sie können durch Hochladen einer neuen Datei die Vorhandene ersetzen. Danach wird die neue Datei an allen Stellen verwendet, wo die Vorgängerversion verwendet wurde. + You can replace this asset by uploading a new file. Once replaced, the new asset will be used on all places where the asset is used on your website. + Sie können durch Hochladen einer neuen Datei die Vorhandene ersetzen. Danach wird die neue Datei an allen Stellen verwendet, wo die Vorgängerversion verwendet wurde. + - Note - Hinweis + Note + Hinweis + - This operation will replace the asset in all published or unpublished workspaces, including the live website. - Diese Aktion wird die Datei in allen veröffentlichten und unveröffentlichten Arbeitsbereichen ersetzen, inklusive der Live-Website. + This operation will replace the asset in all published or unpublished workspaces, including the live website. + Diese Aktion wird die Datei in allen veröffentlichten und unveröffentlichten Arbeitsbereichen ersetzen, inklusive der Live-Website. + - Choose a new file - Neue Datei auswählen + Choose a new file + Neue Datei auswählen + - Currently the asset is used {usageCount} times. - Derzeit wird die Datei {usageCount} mal verwendet. + Currently the asset is used {usageCount} times. + Derzeit wird die Datei {usageCount} mal verwendet. + - Show all usages - Zeige alle Verwendungen + Show all usages + Zeige alle Verwendungen + - Currently the asset is not in used anywhere on the website. - Derzeit wird die Datei auf der Website nicht verwendet. + Currently the asset is not in used anywhere on the website. + Derzeit wird die Datei auf der Website nicht verwendet. + - Preview current file - Vorschau der aktuellen Datei + Preview current file + Vorschau der aktuellen Datei + - Could not replace asset - Asset konnte nicht ersetzt werden + Could not replace asset + Asset konnte nicht ersetzt werden + - Asset "{0}" has been replaced. - Asset "{0}" wurde ersetzt. + Asset "{0}" has been replaced. + Asset "{0}" wurde ersetzt. + - Asset "{0}" has been updated. - Asset "{0}" wurde aktualisiert. + Asset "{0}" has been updated. + Asset "{0}" wurde aktualisiert. + - Asset "{0}" has been added. - Asset "{0}" wurde hinzugefügt. + Asset "{0}" has been added. + Asset "{0}" wurde hinzugefügt. + - Asset "{0}" has been deleted. - Asset "{0}" wurde gelöscht. + Asset "{0}" has been deleted. + Asset "{0}" wurde gelöscht. + - Asset could not be deleted. - Asset konnte nicht gelöscht werden. + Asset could not be deleted. + Asset konnte nicht gelöscht werden. + - Tag "{0}" already exists and was added to collection. - Tag "{0}" ist bereits vorhanden und wurde zur Sammlung hinzugefügt. + Tag "{0}" already exists and was added to collection. + Tag "{0}" ist bereits vorhanden und wurde zur Sammlung hinzugefügt. + - Tag "{0}" has been created. - Tag "{0}" wurde erstellt. + Tag "{0}" has been created. + Tag "{0}" wurde erstellt. + - Tag "{0}" has been updated. - Tag "{0}" wurde aktualisiert. + Tag "{0}" has been updated. + Tag "{0}" wurde aktualisiert. + - Tag "{0}" has been deleted. - Tag "{0}" wurde gelöscht. + Tag "{0}" has been deleted. + Tag "{0}" wurde gelöscht. + - Collection "{0}" has been created. - Sammlung "{0}" wurde erstellt. + Collection "{0}" has been created. + Sammlung "{0}" wurde erstellt. + - Collection "{0}" has been updated. - Sammlung "{0}" wurde aktualisiert. + Collection "{0}" has been updated. + Sammlung "{0}" wurde aktualisiert. + - Collection "{0}" has been deleted. - Sammlung "{0}" wurde gelöscht. + Collection "{0}" has been deleted. + Sammlung "{0}" wurde gelöscht. + - Generate redirects from original file url to the new url - Erstelle Weiterleitungen vom ursprünglichen Dateipfad auf die neue URL + Generate redirects from original file url to the new url + Erstelle Weiterleitungen vom ursprünglichen Dateipfad auf die neue URL + - 'Resources of type "{0}" can only be replaced by a similar resource. Got type "{1}"' - 'Ressourcen vom Typ "{0}" können nur mit Ressourcen ähnlichen Typs ersetzt werden. Typ "{1}" erkannt' + 'Resources of type "{0}" can only be replaced by a similar resource. Got type "{1}"' + 'Ressourcen vom Typ "{0}" können nur mit Ressourcen ähnlichen Typs ersetzt werden. Typ "{1}" erkannt' + - No access to workspace "{0}" - Kein Zugriff auf den Arbeitsbereich "{0}" + No access to workspace "{0}" + Kein Zugriff auf den Arbeitsbereich "{0}" + - No document node found for this node - Kein Dokumentknoten für diesen Knoten gefunden + No document node found for this node + Kein Dokumentknoten für diesen Knoten gefunden + + + This asset might contain malicious content! + Diese Datei könnte schädlichen Inhalt enthalten! + + + Create missing variants + Fehlende Varianten erstellen + From 752934df4e4c378bfd7c6cd9faab922dd748d14e Mon Sep 17 00:00:00 2001 From: Alexander Girod Date: Sun, 2 Jun 2024 19:03:27 +0000 Subject: [PATCH 08/30] TASK: Translated using Weblate (German) Currently translated at 100.0% (323 of 323 strings) Translation: Neos/Neos.Neos - Modules - 8.3 Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-modules-8-3/de/ --- .../Private/Translations/de/Modules.xlf | 636 +++++++++--------- 1 file changed, 319 insertions(+), 317 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/de/Modules.xlf b/Neos.Neos/Resources/Private/Translations/de/Modules.xlf index cf68c41c3c2..d01b4bb9b18 100644 --- a/Neos.Neos/Resources/Private/Translations/de/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/de/Modules.xlf @@ -3,204 +3,204 @@ - Back + Back Zurück - Cancel + Cancel Abbrechen - Management + Management Inhaltsverwaltung - Contains multiple modules related to management of content + Contains multiple modules related to management of content Enthält Module zur Inhaltsverwaltung - Workspaces + Workspaces Arbeitsbereiche - Details for "{0}" + Details for "{0}" Details für "{0}" - Create new workspace + Create new workspace Neuen Arbeitsbereich erstellen - Create workspace + Create workspace Arbeitsbereich erstellen - Delete workspace + Delete workspace Arbeitsbereich löschen - Edit workspace + Edit workspace Arbeitsbereich bearbeiten - Yes, delete the workspace + Yes, delete the workspace Ja, den Arbeitsbereich löschen - Edit workspace "{0}" + Edit workspace "{0}" Arbeitsbereich "{0}" bearbeiten - Personal workspace + Personal workspace Persönlicher Arbeitsbereich - Private workspace + Private workspace Privater Arbeitsbereich - Internal workspace + Internal workspace Interner Arbeitsbereich - Read-only workspace + Read-only workspace Nur-Lese Arbeitsbereich - Title + Title Titel - Description + Description Beschreibung - Base workspace + Base workspace Basis-Arbeitsbereich - Owner + Owner Besitzer - Visibility + Visibility Sichtbarkeit - Private + Private Privat - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Nur Reviewer und Administratoren können auf diesen Arbeitsbereich zugreifen und ihn bearbeiten - Internal + Internal Intern - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Jeder angemeldete Redakteur kann diesen Arbeitsbereich sehen und bearbeiten. - Changes + Changes Änderungen - Open page in "{0}" workspace + Open page in "{0}" workspace Seite in Arbeitsbereich "{0}" öffnen - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Dies ist Ihr persönlicher Arbeitsbereich, welcher nicht gelöscht werden kann. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Der Arbeitsbereich enthält Änderungen. Um ihn zu löschen, müssen die Änderungen zuerst verworfen werden. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Der Arbeitsbereich kann nicht auf einen anderen Basis-Arbeitsbereich umgestellt werden, da er noch Änderungen enthält. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Der Arbeitsbereich kann nicht gelöscht werden, da andere Arbeitsbereiche auf ihm basieren. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Sie haben nicht die Berechtigung diesen Arbeitsbereich zu löschen. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Wollen Sie wirklich den Arbeitsbereich "{0}" löschen? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Dadurch wird der Arbeitsbereich einschließlich aller unveröffentlichten Inhalte gelöscht. Dieser Vorgang kann nicht rückgängig gemacht werden. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Dieses Modul bietet einen Überblick aller geänderter Inhalte des aktuellen Workspaces und ermöglicht deren Kontrolle und Veröffentlichung. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unveröffentlichte Änderungen im Arbeitsbereich "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} Ergänzungen: {new}, Änderungen: {changed}, Entfernungen: {removed} - Review + Review Überprüfen - Discard selected changes + Discard selected changes Ausgewählte Änderungen verwerfen - Publish selected changes to {0} + Publish selected changes to {0} Ausgewählte Änderungen nach {0} veröffentlichen - Discard all changes + Discard all changes Alle Änderungen verwerfen - Publish all changes + Publish all changes Alle Änderungen veröffentlichen - Publish all changes to {0} + Publish all changes to {0} Alle Änderungen nach {0} veröffentlichen - Changed Content + Changed Content Geänderter Inhalt - deleted + deleted gelöscht - created + created erstellt - moved + moved erstellt - hidden + hidden erstellt - edited + edited erstellt - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. In diesem Arbeitsbereich gibt es keine unveröffentlichten Änderungen. @@ -234,10 +234,12 @@ Did not delete workspace "{0}" because it currently contains {1} node. - Arbeitsbereich "{0}" wurde nicht gelöscht, da er derzeit {1} Element enthält. + Arbeitsbereich "{0}" wurde nicht gelöscht, da er derzeit {1} Element enthält. + Did not delete workspace "{0}" because it currently contains {1} nodes. - Arbeitsbereich "{0}" wurde nicht gelöscht, da er derzeit {1} Elemente enthält. + Arbeitsbereich "{0}" wurde nicht gelöscht, da er derzeit {1} Elemente enthält. + The workspace "{0}" has been removed. @@ -272,612 +274,612 @@ Alle aktuellen Änderungen auswählen - History + History Verlauf - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Dieses Modul bietet einen Überblick über alle relevanten Ereignisse die diese Neos-Installation betreffen. - - Here's what happened recently in Neos - Dies ist kürzlich in Neos geschehen: + + Here's what happened recently in Neos + Dies ist kürzlich in Neos geschehen - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Es wurden noch keine Ereignisse aufgezeichnet die in diesem Verlauf dargestellt werden könnten. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} hat {1} "{2}" erstellt. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} hat {1} "{2}" entfernt. - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} hat die Variante {1} von {2} "{3}" erstellt. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} hat {1} "{2}" bearbeitet. - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} hat {1} "{2}" verschoben. - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} hat {1} "{2}" kopiert. - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} hat {1} "{2}" zu "{3}" umbenannt. - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} hat den Inhalt von {1} "{2}" bearbeitet. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} hat einen neuen Benutzer "{1}" für {2} angelegt. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} hat den Benutzer "{1}" von {2} gelöscht. - Load More + Load More Mehr laden - This node has been removed in the meantime + This node has been removed in the meantime Dieser Node wurde in der Zwischenzeit entfernt - Administration + Administration Verwaltung - Contains multiple modules related to administration + Contains multiple modules related to administration Enthält Module zur Systemverwaltung - User Management + User Management Benutzerverwaltung - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Das Benutzerverwaltungs-Modul bietet Ihnen einen Überblick über alle vorhandenen Benutzer. Sie können sie nach ihren Eigenschaften gruppieren, damit Sie ihre Berechtigungen, Filemounts, Gruppen, etc. überwachen können. Dieses Modul ist ein unverzichtbares Werkzeug, wenn Sie sicherstellen wollen, dass die Benutzer ordnungsgemäß zu konfiguriert sind. - Overview + Overview Übersicht - Show + Show Anzeigen - New + New Neu - Edit + Edit Bearbeiten - Edit account + Edit account Konto bearbeiten - New electronic address + New electronic address Neue elektronische Adresse - Use system default + Use system default Systemstandard verwenden - Create user + Create user Benutzer erstellen - Create a new user + Create a new user Neuen Benutzer erstellen - User Data + User Data Benutzerdaten - Username + Username Benutzername - Password + Password Passwort - Repeat password + Repeat password Passwort wiederholen - Role(s) + Role(s) Rolle(n) - Authentication Provider + Authentication Provider Authentifizierungsdienst - Use system default + Use system default Systemstandard verwenden - Personal Data + Personal Data Persönliche Daten - First Name + First Name Vorname - Last Name + Last Name Nachname - User Preferences + User Preferences Benutzereinstellungen - Interface Language + Interface Language Sprache der Benutzeroberfläche - Create user + Create user Benutzer erstellen - Details for user + Details for user Benutzerdetails - Personal Data + Personal Data Persönliche Daten - Title + Title Titel - First Name + First Name Vorname - Middle Name + Middle Name Zweiter Vorname - Last Name + Last Name Nachname - Other Name + Other Name Weiterer Name - Accounts + Accounts Konten - Username + Username Benutzername - Roles + Roles Rollen - Electronic Addresses + Electronic Addresses Elektronische Adressen - Primary + Primary Primär - N/A + N/A Nicht verfügbar - Delete User + Delete User Benutzer löschen - Edit User + Edit User Benutzer bearbeiten - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Sie sind als dieser Benutzer angemeldet und können sich nicht selbst löschen. - Click here to delete this user + Click here to delete this user Klicken Sie hier, um diesen Benutzer löschen - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Wollen Sie den Benutzer "{0}" wirklich löschen? - Yes, delete the user + Yes, delete the user Ja, den Benutzer löschen - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Hiermit wird der Benutzer, die zugehörigen Konten und sein persönlicher Arbeitsbereich, einschließlich aller unveröffentlichten Inhalte gelöscht. - This operation cannot be undone + This operation cannot be undone Dieser Vorgang kann nicht rückgängig gemacht werden - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Benutzer "{accountIdentifier}" bearbeiten - Account + Account Benutzerkonto - Username + Username Benutzername - The username can't be changed via the user interface + The username can't be changed via the user interface Der Benutzername kann nicht über die Benutzeroberfläche nicht geändert werden - Save account + Save account Benutzerkonto speichern - Repeat password + Repeat password Passwort wiederholen - Roles + Roles Rollen - Directly assigned privilege + Directly assigned privilege Unmittelbar zugewiesenes Recht - Name + Name Name - From Parent Role "{role}" + From Parent Role "{role}" Von Elternrolle "{role}" - Accounts and Roles + Accounts and Roles Benutzerkonten und Rollen - View user + View user Benutzer anzeigen - Edit user + Edit user Benutzer bearbeiten - Not enough privileges to edit this user + Not enough privileges to edit this user Keine ausreichenden Rechte, um diesen Nutzer zu bearbeiten - Not enough privileges to delete this user + Not enough privileges to delete this user Keine ausreichenden Rechte, um diesen Nutzer zu löschen - Delete user + Delete user Benutzer löschen - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Sie sind als dieser Benutzer angemeldet und können sich nicht selbst löschen. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Wollen Sie den Benutzer "{0}" wirklich löschen? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Hiermit wird der Benutzer, die zugehörigen Konten und sein persönlicher Arbeitsbereich, einschließlich aller unveröffentlichten Inhalte gelöscht. - Yes, delete the user + Yes, delete the user Ja, den Benutzer löschen - Edit user "{0}" + Edit user "{0}" Benutzer "{0}" bearbeiten - Home + Home Privat - Work + Work Arbeit - Package Management + Package Management Paketverwaltung - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Das Paketverwaltungs-Modul bietet Ihnen einen Überblick über alle Pakete. Hier können Sie einzelne Pakete aktivieren und deaktivieren, sowie neue Pakete importieren und vorhandene löschen. Es bietet Ihnen auch die Möglichkeit, einzelne Pakete für die Entwicklung einzufrieren bzw. wieder aufzutauen. - Available packages + Available packages Verfügbare Pakete - Package Name + Package Name Paketname - Package Key + Package Key Paket-Schlüssel - Package Type + Package Type Pakettyp - Deactivated + Deactivated Deaktiviert - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Dieses Paket ist derzeit eingefroren. Hier klicken, um es freizugeben. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Frieren Sie das Paket ein, um Ihre Webseite zu beschleunigen. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Dieses Paket ist geschützt und kann nicht deaktiviert werden. - Deactivate Package + Deactivate Package Paket deaktivieren - Activate Package + Activate Package Paket aktivieren - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Dieses Paket ist geschützt und kann nicht entfernt werden. - Delete Package + Delete Package Paket löschen - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Wollen Sie "{0}" wirklich löschen? - Yes, delete the package + Yes, delete the package Ja, das Paket löschen - Yes, delete the packages + Yes, delete the packages Ja, die Pakete löschen - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Wollen Sie wirklich die ausgewählten Pakete löschen? - Freeze selected packages + Freeze selected packages Ausgewählte Pakete einfrieren - Unfreeze selected packages + Unfreeze selected packages Ausgewählte Pakete auftauen - Delete selected packages + Delete selected packages Ausgewählte Pakete löschen - Deactivate selected packages + Deactivate selected packages Ausgewählte Pakete deaktivieren - Activate selected packages + Activate selected packages Ausgewählte Pakete aktivieren - Sites Management + Sites Management Websites Verwaltung - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Das Modul zur Website-Verwaltung gibt einen Überblick über alle vorhandenen Websites. Hier können Informationen über Websites bearbeitet, hinzugefügt und gelöscht, sowie Domains den verschiedenen Websites zugeordnet werden. - Add new site + Add new site Neue Seite hinzufügen - Create site + Create site Website erstellen - Create a new site + Create a new site Neue Website erstellen - Root node name + Root node name Wurzelknoten Name - Domains + Domains Domains - Site + Site Site - Name + Name Name - Default asset collection + Default asset collection Standard Ressourcen-Sammlung - Site package + Site package Site-Package - Delete this site + Delete this site Diese Site löschen - Deactivate site + Deactivate site Site deaktivieren - Activate site + Activate site Site aktivieren - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Möchten Sie wirklich "{0}" löschen? Diese Aktion kann nicht rückgängig gemacht werden. - Yes, delete the site + Yes, delete the site Ja, Seite löschen - Import a site + Import a site Eine Seite importieren - Select a site package + Select a site package Wählen Sie ein Seitenpaket - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Es sind keine Seitenpakete verfügbar. Stellen Sie sicher, dass Sie ein aktives Seitenpaket haben. - Create a blank site + Create a blank site Eine leere Seite erstellen - Select a document nodeType + Select a document nodeType Wählen Sie einen Dokument-Knotentyp - Select a site generator + Select a site generator Site-Generator auswählen - Site name + Site name Seitenname - Create empty site + Create empty site Leere Seite erstellen - Create a new site package + Create a new site package Ein neues Seitenpaket erstellen - VendorName.MyPackageKey + VendorName.MyPackageKey Herstellername.MeinPaketschlüssel - No sites available + No sites available Keine Seiten verfügbar - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Das <em>Neos Kickstarter</em>-Paket ist nicht installiert, installieren Sie es, um eine neue Seite zu erstellen. - New site + New site Neue Seite - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Möchten Sie wirklich "{0}" löschen? Diese Aktion kann nicht rückgängig gemacht werden. - New domain + New domain Neue Domain - Edit domain + Edit domain Domain bearbeiten - Domain data + Domain data Domain Daten - e.g. www.neos.io + e.g. www.neos.io z.B. www.neos.io - State + State Zustand - Create + Create Erstellen - Configuration + Configuration Konfiguration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Das Konfigurations-Modul bietet Ihnen eine Übersicht aller Konfigurationstypen. - Dimensions + Dimensions Dimensionen - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Zeigt eine grafische Übersicht über konfigurierte Fallbacks innerhalb jeder Inhaltsdimension und über die Inhaltsdimensionen. - Inter dimensional fallback graph + Inter dimensional fallback graph Interdimensionales Fallback-Diagramm - Inter dimensional + Inter dimensional Interdimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Das interdimensionale Fallback-Diagramm zeigt alle möglichen Fallbacks (angezeigt als Kanten) zwischen Unterdiagrammen (Inhaltsdimension-Wert-Kombinationen, angezeigt als Knoten). @@ -885,20 +887,20 @@ Primäre Fallbacks sind blau markiert und immer sichtbar, hingegen weniger hoch Klicken Sie auf einen der Knoten um nur die Fallbacks und Varianten für diesen anzuzeigen. Klicken Sie erneut um den Filter wieder zu entfernen. - Intra dimensional fallback graph + Intra dimensional fallback graph Intradimensionales Fallback-Diagramm - Intra dimensional + Intra dimensional Intradimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Das intradimensionale Fallback-Diagramm zeigt Fallbacks innerhalb jeder Inhaltsdimension an. - User + User Benutzer @@ -906,403 +908,403 @@ Klicken Sie auf einen der Knoten um nur die Fallbacks und Varianten für diesen Enthält Module für die Verwaltung von Benutzern - User Settings + User Settings Benutzereinstellungen - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Mit diesem Modul können Sie Ihr Benutzerprofil anpassen. Hier können Sie die Systemsprache und E-Mail-Adresse editieren. Außerdem können Sie andere allgemeine Einstellungen anpassen. - Edit + Edit Bearbeiten - Edit + Edit Bearbeiten - New electronic address + New electronic address Neue elektronische Adresse - Edit account + Edit account Konto bearbeiten - Personal Data + Personal Data Persönliche Daten - User Data + User Data Benutzerdaten - User Menu + User Menu Benutzermenü - User Preferences + User Preferences Benutzereinstellungen - Interface Language + Interface Language Sprache der Benutzeroberfläche - Use system default + Use system default Systemstandard verwenden - Accounts + Accounts Konten - Username + Username Benutzername - Roles + Roles Rollen - Authentication Provider + Authentication Provider Authentifizierungsdienst - Electronic addresses + Electronic addresses Elektronische Adressen - Do you really want to delete + Do you really want to delete Möchten Sie das Element wirklich löschen - Yes, delete electronic address + Yes, delete electronic address Ja, elektronische Adresse löschen - Click to add a new Electronic address + Click to add a new Electronic address Klicken, um eine neue elektronische Adresse hinzuzufügen - Add electronic address + Add electronic address Elektronische Adresse hinzufügen - Save User + Save User Benutzer speichern - Edit User + Edit User Benutzer bearbeiten - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. Bei der Validierung der Konfiguration ist ein Fehler aufgetreten. - Configuration type not found. + Configuration type not found. Konfigurations-Typ nicht gefunden. - Site package not found + Site package not found Site-Package nicht gefunden - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. Das Site-Package mit dem Key "{0}" wurde nicht gefunden. - Update + Update Aktualisieren - The site "{0}" has been updated. + The site "{0}" has been updated. Die Seite "{0}" wurde aktualisiert. - Missing Package + Missing Package Fehlendes Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. Das Package "{0}" wird zum Erzeugen neuer Site-Packages benötigt. - Invalid package key + Invalid package key Ungültiger Package-Key - Site Packages {0} was created. - Site Packages {0} was created. + The package key "{0}" already exists. + Der Paketschlüssel "{0}" existiert bereits. - The package key "{0}" already exists. - The package key "{0}" already exists. + Site package {0} was created. + Seitenpaket {0} wurde erstellt. - The site has been imported. + The site has been imported. Die Seite wurde importiert. - Import error + Import error Fehler beim Importieren - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Fehler: Während des Importierens von "Sites.xml" aus dem Package "{0}" trat ein Ausnahme-Fehler auf: {1} - Site creation error + Site creation error Fehler beim Erstellen der Seite - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Fehler: Eine Site mit dem siteNodeName "{0}" existiert bereits - Site creation error + Site creation error Site-Erzeugung fehlgeschlagen - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Fehler: Der angegebene Node-Typ "{0}" wurde nicht gefunden - Site creation error + Site creation error Fehler beim Erstellen der Seite - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Fehler: Der angegebene Node-Type "%s" basiert nicht auf dem Super-Type "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Site "{0}" mit Site-Node "{1}", Typ "{2}" und Package-Key "{3}" erfolgreich erstellt - Site deleted + Site deleted Seite gelöscht - The site "{0}" has been deleted. + The site "{0}" has been deleted. Die Seite "{0}" wurde gelöscht. - Site activated + Site activated Seite aktiviert - The site "{0}" has been activated. + The site "{0}" has been activated. Die Seite "{0}" wurde aktiviert. - Site deactivated + Site deactivated Seite deaktiviert - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. Die Seite "{0}" wurde deaktiviert. - Domain updated + Domain updated Domain aktualisiert - The domain "{0}" has been updated. + The domain "{0}" has been updated. Die Domain "{0}" wurde aktualisiert. - Domain created + Domain created Domain erstellt - The domain "{0}" has been created. + The domain "{0}" has been created. Die Domain "{0}" wurde erstellt. - Domain deleted + Domain deleted Domain gelöscht - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. Die Domain "{0}" wurde gelöscht. - Domain activated + Domain activated Domain aktiviert - The domain "{0}" has been activated. + The domain "{0}" has been activated. Die Domain "{0}" wurde aktiviert. - Domain deactivated + Domain deactivated Domain deaktiviert - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. Die Domain "{0}" wurde deaktiviert. - User created + User created Benutzer wurde erstellt - The user "{0}" has been created. + The user "{0}" has been created. Der Benutzer "{0}" wurde erstellt. - User creation denied + User creation denied Erstellung des Benutzers verweigert - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". Sie dürfen keinen Benutzer mit den Rollen "{0}" erstellen. - Unable to create user. - Unable to create user. + Unable to create user. + Der Benutzer kann nicht erstellt werden. - User editing denied + User editing denied Bearbeitung des Benutzers verweigert - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Sie sind nicht berechtigt den Benutzer "{0}" zu bearbeiten. - User updated + User updated Benutzer aktualisiert - The user "{0}" has been updated. + The user "{0}" has been updated. Der Benutzer "{0}" wurde aktualisiert. - User editing denied + User editing denied Bearbeitung des Benutzers verweigert - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Sie sind nicht berechtigt den Benutzer "{0}" zu löschen. - Current user cannot be deleted - Aktueller Benutzer kann nicht gelöscht werden. + Current user cannot be deleted + Aktueller Benutzer kann nicht gelöscht werden - You cannot delete the currently logged in user - Sie können den Benutzer, mit dem Sie aktuell eingeloggt sind, nicht löschen. + You cannot delete the currently logged in user + Sie können den aktuell angemeldeten Benutzer nicht löschen - User deleted + User deleted Benutzer gelöscht - The user "{0}" has been deleted. + The user "{0}" has been deleted. Der Benutzer "{0}" wurde gelöscht. - User account editing denied + User account editing denied Bearbeitung des Benutzerkontos verweigert - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Sie sind nicht berechtigt den Benutzer "{0}" zu bearbeiten. - Don\'t lock yourself out + Don\'t lock yourself out Sperren Sie sich nicht aus - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! Mit diesen zugewiesenen Rollen hätte der aktuell eingeloggte Benutzer keinen Zugriff mehr auf diese Einstellungen. Bitte passen Sie die zugewiesenen Rollen an! - Account updated + Account updated Konto aktualisiert - The account has been updated. + The account has been updated. Das Konto wurde aktualisiert. - User email editing denied + User email editing denied Bearbeiten der E-Mail-Adresse verweigert - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Sie sind nicht berechtigt eine elektronische Adresse für den Benutzer "{0}" zu erstellen. - Electronic address added + Electronic address added Elektronische Adresse hinzugefügt - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Eine elektronische Adresse "{0}" ({1}) wurde hinzugefügt. - User email deletion denied + User email deletion denied Löschen der E-Mail-Adresse verweigert - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Sie sind nicht berechtigt eine elektronische Adresse für den Benutzer "{0}" zu löschen. - Electronic address removed + Electronic address removed Elektronische Adresse gelöscht - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". Die elektronische Adresse "{0}" ({1}) für "{2}" wurde gelöscht. - User updated + User updated Benutzer aktualisiert - Your user has been updated. + Your user has been updated. Ihr Benutzer wurde aktualisiert. - Updating password failed - Updating password failed + Updating password failed + Aktualisierung des Passworts fehlgeschlagen - Updating password failed - Updating password failed + Updating password failed + Aktualisierung des Passworts fehlgeschlagen - Password updated + Password updated Passwort aktualisiert - The password has been updated. + The password has been updated. Das Passwort wurde aktualisiert. - Edit User + Edit User Benutzer bearbeiten - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Die elektronische Adresse "{0}" ({1}) wurde hinzugefügt. - Electronic address removed + Electronic address removed Elektronische Adresse entfernt - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". Die elektronische Adresse "{0}" ({1}) für "{2}" wurde gelöscht. - Last Login + Last Login Letzter Login From 57851cff519bce11067c2f75bf9b78a54f6ba578 Mon Sep 17 00:00:00 2001 From: Denny Lubitz Date: Tue, 4 Jun 2024 07:42:55 +0000 Subject: [PATCH 09/30] TASK: Translated using Weblate (French) Currently translated at 95.3% (267 of 280 strings) Translation: Neos/Neos.Neos- Main - 8.3 Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-main-8-3/fr/ --- .../Private/Translations/fr/Main.xlf | 1359 ++++++++++------- 1 file changed, 817 insertions(+), 542 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/fr/Main.xlf b/Neos.Neos/Resources/Private/Translations/fr/Main.xlf index ae82ab71913..aa56b5709c1 100644 --- a/Neos.Neos/Resources/Private/Translations/fr/Main.xlf +++ b/Neos.Neos/Resources/Private/Translations/fr/Main.xlf @@ -4,829 +4,1104 @@ - Auto-Publish - Publication automatique + Auto-Publish + Publication automatique + - Auto-Publish to {0} - Publier auto. vers {0} + Auto-Publish to {0} + Publier auto. vers {0} + - Review changes - Réviser les modifications + Review changes + Réviser les modifications + - Apply - Appliquer + Apply + Appliquer + - Apply changes - Appliquer les modifications + Apply changes + Appliquer les modifications + - Cancel - Annuler + Cancel + Annuler + - Back - Retour + Back + Retour + - Choose - Selectionner + Choose + Selectionner + - Type to search - Taper pour rechercher + Type to search + Taper pour rechercher + - Content - Contenu + Content + Contenu + - Node - Noeud + Node + Noeud + - Content View - Vue "Contenu" + Content View + Vue "Contenu" + - Create after - Créer après + Create after + Créer après + - Create new - Créer un nouveau + Create new + Créer un nouveau + - Close - Fermer + Close + Fermer + - Copy - Copier + Copy + Copier + - Cut - Couper + Cut + Couper + - Delete - Effacer + Delete + Effacer + - Yes, delete the element - Oui, supprimer l'élément + Yes, delete the element + Oui, supprimer l'élément + - Delete the element - Supprimer l'élément + Delete the element + Supprimer l'élément + - Discard - Ignorer + Discard + Ignorer + - Discard changes - Annuler les modifications + Discard changes + Annuler les modifications + - Edit title - Éditer le titre + Edit title + Éditer le titre + - Edit / Preview - Edition / Aperçu + Edit / Preview + Edition / Aperçu + - Edit - Edition + Edit + Edition + - Hide / Unhide - Masquer / afficher + Hide / Unhide + Masquer / afficher + - Hide - Cacher + Hide + Cacher + - Unhide - Afficher + Unhide + Afficher + - into - dans + into + dans + - before - avant + before + avant + - after - après + after + après + - Loading - En cours + Loading + En cours + - New After - Nouveau après + New After + Nouveau après + - New Before - Nouveau avant + New Before + Nouveau avant + - New Into - Nouveau dans + New Into + Nouveau dans + - Navigate - Navigation + Navigate + Navigation + - OK - OK + OK + OK + - Page - Page + Page + Page + - Paste - Coller + Paste + Coller + - Paste After - Coller après + Paste After + Coller après + - Paste Before - Coller avant + Paste Before + Coller avant + - Paste Into - Collez dans + Paste Into + Collez dans + - Password - Mot de passe + Password + Mot de passe + - Preview - Prévisualisation + Preview + Prévisualisation + - Publish - Publier + Publish + Publier + - Publish to {0} - Publier vers {0} + Publish to {0} + Publier vers {0} + - Publish all changes for current page - Publier tous les changements de la page en cours + Publish all changes for current page + Publier tous les changements de la page en cours + - Can't publish because the target workspace is read-only - Impossible de publier, l'espace de travail cible est en lecture seule + Can't publish because the target workspace is read-only + Impossible de publier, l'espace de travail cible est en lecture seule + - Select target workspace - Sélectionnez l'espace de travail cible + Select target workspace + Sélectionnez l'espace de travail cible + - Publishing - Publication + Publishing + Publication + - Published - Publié + Published + Publié + - Toggle publish menu - Basculer le menu de plublication + Toggle publish menu + Basculer le menu de plublication + - Target workspace - Espace de travail cible + Target workspace + Espace de travail cible + - Current workspace - Espace de travail courant + Current workspace + Espace de travail courant + - Remove - Supprimer + Remove + Supprimer + - Refresh - Rafraîchir + Refresh + Rafraîchir + - Save - Enregistrer + Save + Enregistrer + - Saving - Enregistrement... + Saving + Enregistrement... + - Saved - Sauvegardé + Saved + Sauvegardé + - Search - Chercher + Search + Chercher + - Toggle inspector - Basculer l'inspecteur + Toggle inspector + Basculer l'inspecteur + - Username - Nom d'utilisateur + Username + Nom d'utilisateur + - You - Vous + You + Vous + - [no title] - [sans titre] + [no title] + [sans titre] + - Label - Libellé + Label + Libellé + - Content Type - Type de noeud + Content Type + Type de noeud + - Path - Chemin + Path + Chemin + - Relative Path - Chemin relatif + Relative Path + Chemin relatif + - Version - Version + Version + Version + - This operation cannot be undone. - Cette opération ne peut pas être annulée. + This operation cannot be undone. + Cette opération ne peut pas être annulée. + - Asset - Ressource + Asset + Ressource + - Created - Créé + Created + Créé + - Last modification - Dernière modification + Last modification + Dernière modification + - Last publication - Dernière publication + Last publication + Dernière publication + - Identifier - Identifiant + Identifier + Identifiant + - Name - Nom + Name + Nom + - Workspace - Espace de travail + Workspace + Espace de travail + - Structure - Structure + Structure + Structure + - Toggle context structure - Basculer la structure du contexte + Toggle context structure + Basculer la structure du contexte + - Filter - Filtrer + Filter + Filtrer + - Toggle menu - Basculer le menu + Toggle menu + Basculer le menu + - Load error! - Erreur de chargement ! + Load error! + Erreur de chargement ! + - You have to select a node - Vous devez sélectionner un noeud + You have to select a node + Vous devez sélectionner un noeud + - The Root node cannot be deleted. - Impossible de supprimer le noeud racine. + The Root node cannot be deleted. + Impossible de supprimer le noeud racine. + - You cannot copy this node - Vous ne pouvez pas copier ce noeud + You cannot copy this node + Vous ne pouvez pas copier ce noeud + - You cannot cut this node - Vous ne pouvez pas couper ce noeud + You cannot cut this node + Vous ne pouvez pas couper ce noeud + - Content Dimensions - Dimensions de contenu + Content Dimensions + Dimensions de contenu + - Site - Site + Site + Site + - Document - Document + Document + Document + - Reference - Référence + Reference + Référence + - Host - Nom de l'hôte + Host + Nom de l'hôte + - Scheme - Schéma + Scheme + Schéma + - Port - Port + Port + Port + - Primary - Principal + Primary + Principal + - Package - Paquet + Package + Paquet + - Deactivated - Désactivée + Deactivated + Désactivée + - Unavailable - Non disponible + Unavailable + Non disponible + - Inactive - Inactif + Inactive + Inactif + - Click to edit - Cliquez pour éditer + Click to edit + Cliquez pour éditer + - Click to deactivate - Cliquez pour désactiver + Click to deactivate + Cliquez pour désactiver + - Click to activate - Cliquez pour activer + Click to activate + Cliquez pour activer + - Click to delete - Cliquer pour supprimer + Click to delete + Cliquer pour supprimer + - Click to create new - Cliquer pour créer un nouveau + Click to create new + Cliquer pour créer un nouveau + - Status - Statut + Status + Statut + - Active - Actif + Active + Actif + - Domains - Domaines + Domains + Domaines + - Domain - Domaine + Domain + Domaine + - Yes, delete it! - Oui, le supprimer! + Yes, delete it! + Oui, le supprimer! + - Package Key - Clé de package + Package Key + Clé de package + - Description - Description + Description + Description + - Toggle content tree - Afficher/Masquer la table des matières + Toggle content tree + Afficher/Masquer la table des matières + - Show publish options - Afficher les options de publication + Show publish options + Afficher les options de publication + - Activate Fullscreen edit mode - Activer le mode édition plein écran + Activate Fullscreen edit mode + Activer le mode édition plein écran + - Deactivate Fullscreen edit mode - Désactiver le mode édition plein écran + Deactivate Fullscreen edit mode + Désactiver le mode édition plein écran + - Show preview - Afficher l'aperçu + Show preview + Afficher l'aperçu + - General - Général + General + Général + - Structure - Structure + Structure + Structure + - Plugins - Modules + Plugins + Modules + - Click {0} to continue to the page. - Cliquez ici pour continuer vers la page {0}. + Click {0} to continue to the page. + Cliquez ici pour continuer vers la page {0}. + - Click {0} to see the file. - Cliquez ici pour voir le fichier {0}. + Click {0} to see the file. + Cliquez ici pour voir le fichier {0}. + - Click {0} to open the link. - Cliquez ici pour ouvrir le lien {0}. + Click {0} to open the link. + Cliquez ici pour ouvrir le lien {0}. + - (no target has been selected) - (aucune cible n'a été sélectionné) + (no target has been selected) + (aucune cible n'a été sélectionné) + - This is a shortcut to the first child page.<br />Click {0} to continue to the page. - Il s'agit d'un raccourci vers la première sous-page. <br /> Cliquez sur {0} pour continuer vers la sous-page. + This is a shortcut to the first child page.<br />Click {0} to continue to the page. + Il s'agit d'un raccourci vers la première sous-page. <br /> Cliquez sur {0} pour continuer vers la sous-page. + - This is a shortcut to the parent page.<br />Click {0} to continue to the page. - Il s'agit d'un raccourci vers la page parente. <br /> Cliquez sur {0} pour continuer vers cette page. + This is a shortcut to the parent page.<br />Click {0} to continue to the page. + Il s'agit d'un raccourci vers la page parente. <br /> Cliquez sur {0} pour continuer vers cette page. + - Full Screen - Plein écran + Full Screen + Plein écran + - Open page in live workspace + Open page in live workspace Deprecated, replaced by previewShortcutButton.title - Ouvrir la page dans l'espace de travail Live + Ouvrir la page dans l'espace de travail Live + - Open page in target workspace - Ouvrir la page dans l'espace de travail cible + Open page in target workspace + Ouvrir la page dans l'espace de travail cible + - Discard all - ReJeter tous + Discard all + ReJeter tous + - Discard all changes - Ignorer toutes les modifications + Discard all changes + Ignorer toutes les modifications + - Are you sure that you want to discard all changes in this workspace? - Êtes-vous sûr de vouloir ignorer toutes les modifications dans cet espace de travail ? + Are you sure that you want to discard all changes in this workspace? + Êtes-vous sûr de vouloir ignorer toutes les modifications dans cet espace de travail ? + - Are you sure that you want to discard {numberOfChanges} change(s) in this workspace? - Êtes-vous sûr de vouloir ignorer {numberOfChanges} modification(s) dans cet espace de travail ? + Are you sure that you want to discard {numberOfChanges} change(s) in this workspace? + Êtes-vous sûr de vouloir ignorer {numberOfChanges} modification(s) dans cet espace de travail ? + - Publish all - Publier tous + Publish all + Publier tous + - Publish all changes - Publier toutes les modifications + Publish all changes + Publier toutes les modifications + - Are you sure that you want to publish all changes? - Êtes-vous sûr de vouloir publier toutes les modifications ? + Are you sure that you want to publish all changes? + Êtes-vous sûr de vouloir publier toutes les modifications ? + - Pending changes - Modifications en attente + Pending changes + Modifications en attente + - Your personal workspace currently contains unpublished changes. In order to switch to a different target workspace you need to either publish or discard pending changes first. - Votre espace de travail personnel contient actuellement des modifications non publiées. Afin de passer à un espace de travail cible différent, vous devrez avant tout publier ou rejeter les changements en attente. + Your personal workspace currently contains unpublished changes. In order to switch to a different target workspace you need to either publish or discard pending changes first. + Votre espace de travail personnel contient actuellement des modifications non publiées. Afin de passer à un espace de travail cible différent, vous devrez avant tout publier ou rejeter les changements en attente. + - Please review your changes, publish or discard them, and then choose a new target workspace again. - Veuillez consulter vos modifications, publiez ou rejetez-les et puis choisissez un nouvel espace de travail cible à nouveau. + Please review your changes, publish or discard them, and then choose a new target workspace again. + Veuillez consulter vos modifications, publiez ou rejetez-les et puis choisissez un nouvel espace de travail cible à nouveau. + - Editing Modes - Modes d'édition + Editing Modes + Modes d'édition + - Preview Central - Preview Central + Preview Central + Preview Central + - You still have changes. What do you want to do with them? - Vous avez encore des modifications. Que voulez-vous faire avec ? + You still have changes. What do you want to do with them? + Vous avez encore des modifications. Que voulez-vous faire avec ? + - Selected element - Élément sélectionné + Selected element + Élément sélectionné + - There are fields that are not correctly filled in. - Il y a des champs qui ne sont pas correctement remplis. + There are fields that are not correctly filled in. + Il y a des champs qui ne sont pas correctement remplis. + - The fields marked with an error are not yet correctly filled in. Please complete them properly. - Les champs marqués avec une erreur ne sont pas encore correctement remplis. Veuillez les remplir correctement. + The fields marked with an error are not yet correctly filled in. Please complete them properly. + Les champs marqués avec une erreur ne sont pas encore correctement remplis. Veuillez les remplir correctement. + - Continue editing - Continuer l'édition + Continue editing + Continuer l'édition + - Throw away - Jeter + Throw away + Jeter + - Apply - Appliquer + Apply + Appliquer + - Select a Plugin - Sélectionnez un Plugin + Select a Plugin + Sélectionnez un Plugin + - No plugin configured - Aucun plugin configuré + No plugin configured + Aucun plugin configuré + - view is displayed on page - la vue est affichée sur la page + view is displayed on page + la vue est affichée sur la page + - view is displayed on current page - la vue est affichée sur la page en cours + view is displayed on current page + la vue est affichée sur la page en cours + - No date set - Aucune date définie + No date set + Aucune date définie + - Edit code - Modifier le code + Edit code + Modifier le code + - Paste a link, or type to search - Coller un lien, ou taper pour rechercher + Paste a link, or type to search + Coller un lien, ou taper pour rechercher + - Unable to load sub node types of: - Impossible de charger les types de noeuds enfant de: + Unable to load sub node types of: + Impossible de charger les types de noeuds enfant de: + - Change type - Modifier le type + Change type + Modifier le type + - Additional info - Informations complémentaires + Additional info + Informations complémentaires + - Visibility - Visibilité + Visibility + Visibilité + - Document options - Options du document + Document options + Options du document + - The length of this text must be between {minimum} and {maximum} characters. - La longueur de ce texte doit être comprise entre {{minimum}} et {{maximum}} caractères. + The length of this text must be between {minimum} and {maximum} characters. + La longueur de ce texte doit être comprise entre {{minimum}} et {{maximum}} caractères. + - This field must contain at least {minimum} characters. - Ce champ doit contenir au moins {{minimum}} caractères. + This field must contain at least {minimum} characters. + Ce champ doit contenir au moins {{minimum}} caractères. + - This text may not exceed {maximum} characters. - Ce texte ne doit pas dépasser {{maximum}} caractères. + This text may not exceed {maximum} characters. + Ce texte ne doit pas dépasser {{maximum}} caractères. + - Only regular characters (a to z, umlauts, ...) and numbers are allowed. - Seuls les caractères a à z et les nombres sont autorisés + Only regular characters (a to z, umlauts, ...) and numbers are allowed. + Seuls les caractères a à z et les nombres sont autorisés + - The given subject was not countable. - Le sujet donné n'est pas dénombrable. + The given subject was not countable. + Le sujet donné n'est pas dénombrable. + - The count must be between {minimum} and {maximum}. - Le décompte doit être compris entre {{minimum}} et {{maximum}}. + The count must be between {minimum} and {maximum}. + Le décompte doit être compris entre {{minimum}} et {{maximum}}. + - The given value was not a valid date. - La valeur donnée n'était pas une date valide. + The given value was not a valid date. + La valeur donnée n'était pas une date valide. + - The given date must be between {formatEarliestDate} and {formatLatestDate} - La date doit être comprise entre le {{formatEarliestDate}} et le {{formatLatestDate}} + The given date must be between {formatEarliestDate} and {formatLatestDate} + La date doit être comprise entre le {{formatEarliestDate}} et le {{formatLatestDate}} + - The given date must be after {formatEarliestDate} - La date donnée doit être après le {{formatEarliestDate}} + The given date must be after {formatEarliestDate} + La date donnée doit être après le {{formatEarliestDate}} + - The given date must be before {formatLatestDate} - La date donnée doit être avant le {{formatLatestDate}} + The given date must be before {formatLatestDate} + La date donnée doit être avant le {{formatLatestDate}} + - Please specify a valid email address. - Veuillez entrer une adresse e-mail valide. + Please specify a valid email address. + Veuillez entrer une adresse e-mail valide. + - A valid float number is expected. - Un nombre à virgule flottante valide est attendu. + A valid float number is expected. + Un nombre à virgule flottante valide est attendu. + - A valid integer number is expected. - Un nombre entier valide est attendu. + A valid integer number is expected. + Un nombre entier valide est attendu. + - Only letters, numbers, spaces and certain punctuation marks are expected. - Seuls les lettres, les nombres, les espaces et certaines ponctuations sont attentus. + Only letters, numbers, spaces and certain punctuation marks are expected. + Seuls les lettres, les nombres, les espaces et certaines ponctuations sont attentus. + - This property is required. - Cette propriété est obligatoire. + This property is required. + Cette propriété est obligatoire. + - A valid number is expected. - Un nombre valide est attendu. + A valid number is expected. + Un nombre valide est attendu. + - Please enter a valid number between {minimum} and {maximum} - Veuillez entrer un nombre valide entre {{minimum}} et {{maximum}} + Please enter a valid number between {minimum} and {maximum} + Veuillez entrer un nombre valide entre {{minimum}} et {{maximum}} + - The given subject did not match the pattern ({pattern}) - Le sujet donné ne correspond pas au modèle ({{pattern}}) + The given subject did not match the pattern ({pattern}) + Le sujet donné ne correspond pas au modèle ({{pattern}}) + - A valid string is expected. - Une chaîne valide est attendue. + A valid string is expected. + Une chaîne valide est attendue. + - Valid text without any XML tags is expected. - Le texte ne doit pas contenir de balises XML. + Valid text without any XML tags is expected. + Le texte ne doit pas contenir de balises XML. + - The given subject is not a valid UUID. - Le sujet donné n'est pas un UUID valide. + The given subject is not a valid UUID. + Le sujet donné n'est pas un UUID valide. + - Toggle content dimensions selector - Basculer le sélecteur de dimensions de contenu + Toggle content dimensions selector + Basculer le sélecteur de dimensions de contenu + - Start with an empty or pre-filled document? - Commencer avec un document vide ou rempli au préalable ? + Start with an empty or pre-filled document? + Commencer avec un document vide ou rempli au préalable ? + - This {nodeTypeLabel} does not exist yet in {currentDimensionChoiceText}. - Ce {nodeTypeLabel} n'existe pas encore en {currentDimensionChoiceText}. + This {nodeTypeLabel} does not exist yet in {currentDimensionChoiceText}. + Ce {nodeTypeLabel} n'existe pas encore en {currentDimensionChoiceText}. + - You can create it now, either starting with an empty {nodeTypeLabel} or copying all content from the currently visible {nodeTypeLabel} in {currentDocumentDimensionChoiceText}. - Vous pouvez le créer maintenant, en démarrant soir d'un {nodeTypeLabel} vide ou copier tout le contenu du {nodeTypeLabel} actuellement visible dans {currentDocumentDimensionChoiceText}. + You can create it now, either starting with an empty {nodeTypeLabel} or copying all content from the currently visible {nodeTypeLabel} in {currentDocumentDimensionChoiceText}. + Vous pouvez le créer maintenant, en démarrant soir d'un {nodeTypeLabel} vide ou copier tout le contenu du {nodeTypeLabel} actuellement visible dans {currentDocumentDimensionChoiceText}. + - Additionally, there are {numberOfNodesMissingInRootline} ancestor documents which do not exist in the chosen variant either, and which will be created as well. - En outre, on compte {numberOfNodesMissingInRootline} anciens documents qui n’existent pas non plus selon la variante choisie, et qui sera ainsi créé. + Additionally, there are {numberOfNodesMissingInRootline} ancestor documents which do not exist in the chosen variant either, and which will be created as well. + En outre, on compte {numberOfNodesMissingInRootline} anciens documents qui n’existent pas non plus selon la variante choisie, et qui sera ainsi créé. + - Create empty - Créer un vide + Create empty + Créer un vide + - Create and copy - Créer et copier + Create and copy + Créer et copier + - Content - Contenu + Content + Contenu + - Toggle menu group - Activer/Désactiver le groupe de menu + Toggle menu group + Activer/Désactiver le groupe de menu + - Toggle sticky menu mode - Basculer le menu "sticky" + Toggle sticky menu mode + Basculer le menu "sticky" + - Do you really want to delete - Confirmez-vous la suppression + Do you really want to delete + Confirmez-vous la suppression + - This will delete the element - Cet action supprimera l'élément + This will delete the element + Cet action supprimera l'élément + - and it's children - et ses sous-éléments + and it's children + et ses sous-éléments + - This action can be undone in the workspace management. - Cette opération peut être annulée dans le module de l'espace de travail. + This action can be undone in the workspace management. + Cette opération peut être annulée dans le module de l'espace de travail. + - Height - Hauteur + Height + Hauteur + - Do you really want to delete - Confirmez-vous la suppression + Do you really want to delete + Confirmez-vous la suppression + - this element - cet élément + this element + cet élément + - This will delete the element. - Ceci supprimera l'élément. + This will delete the element. + Ceci supprimera l'élément. + - This action can be undone in the workspace management. - Cette opération peut être annulée dans le module de l'espace de travail. + This action can be undone in the workspace management. + Cette opération peut être annulée dans le module de l'espace de travail. + - Media - Média + Media + Média + - Crop - Recadrer + Crop + Recadrer + - Width - Largeur  + Width + Largeur  + - Missing required property: - Propriété requise manquante: + Missing required property: + Propriété requise manquante: + - Workspace - Espace de travail + Workspace + Espace de travail + - Workspaces - Espaces de travail + Workspaces + Espaces de travail + - An error occurred during saving - Une erreur s'est produite au cours de la sauvegarde + An error occurred during saving + Une erreur s'est produite au cours de la sauvegarde + - Reload the page to attempt to fix the problem. - Recharger la page pour tenter de résoudre le problème. + Reload the page to attempt to fix the problem. + Recharger la page pour tenter de résoudre le problème. + - Reload the backend - Recharger l'interface d'administration + Reload the backend + Recharger l'interface d'administration + - Reload - Recharger + Reload + Recharger + - In-Place - Édition "In-Place" + In-Place + Édition "In-Place" + - Raw Content - Contenu brut + Raw Content + Contenu brut + - Raw Content Mode - Mode de contenu brut + Raw Content Mode + Mode de contenu brut + - Desktop - Ordinateur de bureau + Desktop + Ordinateur de bureau + - Login to - Ouverture de session + Login to + Ouverture de session + - Authenticating - Authentification en cours + Authenticating + Authentification en cours + - Logout - Déconnexion + Logout + Déconnexion + - The entered username or password was wrong - Le nom d'utilisateur ou mot de passe entré est inconnu + The entered username or password was wrong + Le nom d'utilisateur ou mot de passe entré est inconnu + - Your login has expired. Please log in again. - Votre connexion a expiré. S'il vous plaît vous connecter à nouveau. + Your login has expired. Please log in again. + Votre connexion a expiré. S'il vous plaît vous connecter à nouveau. + - Welcome to Neos - Bienvenue sur Neos + Welcome to Neos + Bienvenue sur Neos + - Go to setup - Allez dans l'assistant de configuration + Go to setup + Allez dans l'assistant de configuration + - Technical Information - Informations techniques + Technical Information + Informations techniques + - Missing Homepage - Page d'accueil manquante + Missing Homepage + Page d'accueil manquante + - Either no site has been defined, the site does not contain a homepage or the active site couldn't be determined. - Aucun site n'a été configuré, le site ne contient aucune page d'accueil ou le site actif n'a pas pu être déterminé. + Either no site has been defined, the site does not contain a homepage or the active site couldn't be determined. + Aucun site n'a été configuré, le site ne contient aucune page d'accueil ou le site actif n'a pas pu être déterminé. + - You might want to set the site's domain or import a new site in the setup. - Vous pouvez définir le nom de domaine du site ou importer un nouveau site depuis l'assistant de configuration. + You might want to set the site's domain or import a new site in the setup. + Vous pouvez définir le nom de domaine du site ou importer un nouveau site depuis l'assistant de configuration. + - Database Error - Erreur de la base de données + Database Error + Erreur de la base de données + - There is no database connection yet or the Neos database schema has not been created. - Il n'y a pas encore de connexion à la base de données ou le schéma de base de données Neos n'a pas encore été créé. + There is no database connection yet or the Neos database schema has not been created. + Il n'y a pas encore de connexion à la base de données ou le schéma de base de données Neos n'a pas encore été créé. + - Run the setup to configure your database. - Lancez l'installation pour configurer votre base de données. + Run the setup to configure your database. + Lancez l'installation pour configurer votre base de données. + - Page Not Found - Page introuvable + Page Not Found + Page introuvable + - Sorry, the page you requested was not found. - Désolé, la page demandée n'a pas été trouvée. + Sorry, the page you requested was not found. + Désolé, la page demandée n'a pas été trouvée. + - Invalid NodeType - Type de noeud invalide + Invalid NodeType + Type de noeud invalide + - The configuration of the NodeType that is supposed to be rendered here is not available. Probably you renamed the NodeType and are missing a migration or you simply misspelled it. - La configuration du type de noeud qui doit s'afficher ici n'est pas disponible. Le type de noeud a probablement été renommé. Validez que vous avez bien exécuté toutes les migrations. Ou peut-être est-ce simplement une erreur de frappe. + The configuration of the NodeType that is supposed to be rendered here is not available. Probably you renamed the NodeType and are missing a migration or you simply misspelled it. + La configuration du type de noeud qui doit s'afficher ici n'est pas disponible. Le type de noeud a probablement été renommé. Validez que vous avez bien exécuté toutes les migrations. Ou peut-être est-ce simplement une erreur de frappe. + - Unexpected error while creating node - Erreur inattendue lors de la création du nœud + Unexpected error while creating node + Erreur inattendue lors de la création du nœud + - Unexpected error while deleting node - Erreur inattendue lors de la suppression du nœud + Unexpected error while deleting node + Erreur inattendue lors de la suppression du nœud + - Unexpected error while updating node - Erreur inattendue lors de la mise à jour du nœud + Unexpected error while updating node + Erreur inattendue lors de la mise à jour du nœud + - Unexpected error while moving node - Erreur inattendue lors du déplacement du nœud + Unexpected error while moving node + Erreur inattendue lors du déplacement du nœud + - Node Tree loading error. - Erreur de chargement de l'arborescence. + Node Tree loading error. + Erreur de chargement de l'arborescence. + - The entered username or password was wrong - Le nom d'utilisateur ou mot de passe entré est inconnu + The entered username or password was wrong + Le nom d'utilisateur ou mot de passe entré est inconnu + - "{nodeTypeName}" on page "{pageLabel}" - "{nodeTypeName}" sur la page "{pageLabel}" + "{nodeTypeName}" on page "{pageLabel}" + "{nodeTypeName}" sur la page "{pageLabel}" + - Nodes - Noeuds + Nodes + Noeuds + - Show - Afficher + Show + Afficher + - This node cannot be accessed through a public URL - Ce nœud n'est pas accessible via une URL publique + This node cannot be accessed through a public URL + Ce nœud n'est pas accessible via une URL publique + - Node Properties - Propriétés du noeud + Node Properties + Propriétés du noeud + - Copy {source} to {target} - Copier {source} vers {target} + Copy {source} to {target} + Copier {source} vers {target} + - Move {source} to {target} - Déplacer {source} vers {target} + Move {source} to {target} + Déplacer {source} vers {target} + - Please select the position at which you want {source} inserted relative to {target}. - Veuillez sélectionner la position à laquelle vous souhaitez {source} être inséré par rapport à {target}. + Please select the position at which you want {source} inserted relative to {target}. + Veuillez sélectionner la position à laquelle vous souhaitez {source} être inséré par rapport à {target}. + - Insert - Insérer + Insert + Insérer + - Insert mode - Mode &insertion + Insert mode + Mode &insertion + - Choose an Aspect Ratio - Choisissez un format d'aspect + Choose an Aspect Ratio + Choisissez un format d'aspect + - Bold - Gras + Bold + Gras + - Italic - Italique + Italic + Italique + - Underline - Souligné + Underline + Souligné + - Subscript - Indice + Subscript + Indice + - Superscript - Exposant + Superscript + Exposant + - Strikethrough - Barré + Strikethrough + Barré + - Link - Lien + Link + Lien + - Ordered list - Liste ordonnée + Ordered list + Liste ordonnée + - Unordered list - Liste non-ordonnée + Unordered list + Liste non-ordonnée + - Align left - Aligner à gauche + Align left + Aligner à gauche + - Align right - Aligner à droite + Align right + Aligner à droite + - Align center - Aligner au centre + Align center + Aligner au centre + - Align justify - Aligner et justifier + Align justify + Aligner et justifier + - Table - Tableau + Table + Tableau + - Remove format - Supprimer le formatage + Remove format + Supprimer le formatage + - Outdent - Retrait négatif + Outdent + Retrait négatif + - Indent - Retrait + Indent + Retrait + - Create new - Créer un nouveau + Create new + Créer un nouveau + - No matches found - Aucune correspondance trouvée + No matches found + Aucune correspondance trouvée + - Please enter ###CHARACTERS### more character - S’il vous plaît entrez ###CHARACTERS### plus de caractère + Please enter ###CHARACTERS### more character + S’il vous plaît entrez ###CHARACTERS### plus de caractère + - Wrong Credentials - Wrong Credentials + Wrong Credentials + Wrong Credentials + - The entered username or password was wrong - Le nom d'utilisateur ou mot de passe entré est inconnu + The entered username or password was wrong + Le nom d'utilisateur ou mot de passe entré est inconnu + - Logged Out - Logged Out + Logged Out + Logged Out + - Successfully logged out - Successfully logged out + Successfully logged out + Successfully logged out + + + Login as user + Se connecter comme utilisateur + From 9e3a9c9fc01a6713a748c498f76f9c74dabcf422 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Tue, 4 Jun 2024 07:50:37 +0000 Subject: [PATCH 10/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index 0600b271255..5d0dac9f824 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-05-24 +The following reference was automatically generated from code on 2024-06-04 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index dacac1ed73d..2610f4011f2 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index 6cf286c4921..3eb20e92730 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index 72fe8e2ca9c..16cfd60de41 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 00c1650a805..e363a669488 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index 07659a191a4..df9881f6fac 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index e48a838e836..7a887e7484d 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index f3561928170..7e3e45445e2 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index 684f408c443..0f6399fc63a 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index d8f05942ab7..05c16f2e5a3 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index 2ae1d7f8bb6..aedb7e1677a 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index c5d34d2a3cb..6f557f3bd3d 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 1d977c6550d..68f841c91d3 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 9ca1230ac6d..ecffc04024f 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index 65677510bf0..656c18ace0d 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 9234270918d..0d7fd2237e1 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index 12c1e3bf2d7..753ac060e53 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-05-24 +This reference was automatically generated from code on 2024-06-04 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From 9341dac8d2014f0a1b79d407c44a9815c2dcae54 Mon Sep 17 00:00:00 2001 From: Denny Lubitz Date: Tue, 4 Jun 2024 12:03:44 +0200 Subject: [PATCH 11/30] BUGFIX: Flush cache also for deleted nodes --- Neos.Neos/Classes/Fusion/Cache/ContentCacheFlusher.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Neos.Neos/Classes/Fusion/Cache/ContentCacheFlusher.php b/Neos.Neos/Classes/Fusion/Cache/ContentCacheFlusher.php index a50b8c19857..bd2ce4eda5d 100644 --- a/Neos.Neos/Classes/Fusion/Cache/ContentCacheFlusher.php +++ b/Neos.Neos/Classes/Fusion/Cache/ContentCacheFlusher.php @@ -159,7 +159,7 @@ protected function registerAllTagsToFlushForNodeInWorkspace(NodeInterface $node, { // Ensure that we're dealing with the variant of the given node that actually // lives in the given workspace - if ($node->getWorkspace()->getName() !== $workspace->getName()) { + if ($node->isRemoved() === false && $node->getWorkspace()->getName() !== $workspace->getName()) { $workspaceContext = $this->contextFactory->create( array_merge( $node->getContext()->getProperties(), From de32f303e843f362cf0b79707fdc5d183709b989 Mon Sep 17 00:00:00 2001 From: Simon Krull Date: Tue, 4 Jun 2024 16:04:09 +0200 Subject: [PATCH 12/30] BUGFIX: wrap user.accountIdentifier in array --- .../Resources/Public/JavaScript/Templates/RestoreButton.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js index 2d7ff04e8f7..62f6b117f8c 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js +++ b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js @@ -18,7 +18,7 @@ const RestoreButton = (user) => { 'Back to user "{0}"', 'Neos.Neos', 'Main', - user.accountIdentifier + [user.accountIdentifier] ) : `Restore user "${user.accountIdentifier}"` return `` From 851effdd577fece4c61b7c491ab19b4823127357 Mon Sep 17 00:00:00 2001 From: Simon Krull Date: Tue, 4 Jun 2024 16:04:45 +0200 Subject: [PATCH 13/30] TASK: use user.fullName instead of user.accountIdentifier --- .../Resources/Public/JavaScript/Templates/RestoreButton.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js index 62f6b117f8c..5d7b55c0156 100644 --- a/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js +++ b/Neos.Neos/Resources/Public/JavaScript/Templates/RestoreButton.js @@ -18,9 +18,9 @@ const RestoreButton = (user) => { 'Back to user "{0}"', 'Neos.Neos', 'Main', - [user.accountIdentifier] + [user.fullName] ) - : `Restore user "${user.accountIdentifier}"` + : `Restore user "${user.fullName}"` return `` } From 0a21dcd5d1cd72c3de4a1833173e906d32fd6065 Mon Sep 17 00:00:00 2001 From: gallegonovato Date: Tue, 4 Jun 2024 21:00:07 +0000 Subject: [PATCH 14/30] TASK: Translated using Weblate (Spanish) Currently translated at 100.0% (323 of 323 strings) Translation: Neos/Neos.Neos - Modules - 8.3 Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-modules-8-3/es/ --- .../Private/Translations/es/Modules.xlf | 630 +++++++++--------- 1 file changed, 316 insertions(+), 314 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/es/Modules.xlf b/Neos.Neos/Resources/Private/Translations/es/Modules.xlf index 551c5cf041b..d4f2730f694 100644 --- a/Neos.Neos/Resources/Private/Translations/es/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/es/Modules.xlf @@ -3,208 +3,208 @@ - Back + Back Atrás - Cancel + Cancel Cancelar - Management + Management Administración - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contiene varios módulos relacionados con la gestión de contenidos - Workspaces + Workspaces Espacios de Trabajo - Details for "{0}" + Details for "{0}" Detalles de "{0}" - Create new workspace + Create new workspace Crear un nuevo espacio de trabajo - Create workspace + Create workspace Crear espacio de trabajo - Delete workspace + Delete workspace Eliminar espacio de trabajo - Edit workspace + Edit workspace Editar espacio de trabajo - Yes, delete the workspace + Yes, delete the workspace Sí, elimínalo - Edit workspace "{0}" + Edit workspace "{0}" Editar espacio de trabajo - Personal workspace + Personal workspace Espacio de trabajo personal - Private workspace + Private workspace Espacio de trabajo privado - Internal workspace + Internal workspace Espacio de trabajo interno - Read-only workspace + Read-only workspace Espacio de trabajo de solo lectura - Title + Title Título - Description + Description Descripción - Base workspace + Base workspace Espacio de trabajo base - Owner + Owner Dueño - Visibility + Visibility Visiblidad - Private + Private Privado - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Solo los revisores y administradores pueden acceder y modificar este espacio de trabajo - Internal + Internal Interno - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Cualquiera que inicie sesión en el editor puede ver y modificar este espacio de trabajo. - Changes + Changes Cambios - Open page in "{0}" workspace + Open page in "{0}" workspace Abrir la página en el espacio de trabajo "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Este es tu espacio de trabajo personal que no se puede eliminar. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. El espacio de trabajo contiene cambios. Para eliminarlos, descarta los cambios primero. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. El espacio de trabajo no puede ser reajustado en un espacio de trabajo distinto ya que contiene cambios. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. El espacio de trabajo no se puede eliminar porque otros espacios de trabajo dependen de el. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. No tienes los permisos para eliminar esta área de trabajo. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? ¿Realmente deseas eliminar el espacio de trabajo "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Esto eliminará el espacio de trabajo incluyendo contenido todo inédito. Esta operación no se puede deshacer. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Este módulo contiene el resumen de todos los elementos dentro del espacio de trabajo actual y permite seguir el flujo de trabajo de revisión y publicación para ellos. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Cambios no publicados - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} añadidos: {new}, cambios: {changed}, removidos: {removed} - Review + Review Revisar - Discard selected changes + Discard selected changes Descartar los cambios seleccionados - Publish selected changes + Publish selected changes Publicar cambios seleccionados - Discard all changes + Discard all changes Descartar todos los cambios - Publish all changes + Publish all changes Publicar todos los cambios - Publish all changes to {0} + Publish all changes to {0} Publicar todos los cambios en {0} - Changed Content + Changed Content Contenido cambiado - deleted + deleted eliminado - created + created creado - moved + moved movido - hidden + hidden oculto - edited + edited editado - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. No hay cambios sin publicar en este espacio de trabajo. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? ¿Desea descartar todos los cambios en el espacio de trabajo "{0}"? @@ -230,10 +230,12 @@ Did not delete workspace "{0}" because it currently contains {1} node. - No se eliminó el espacio de trabajo "{0}" porque actualmente contiene {1} nodo. + No se eliminó el espacio de trabajo "{0}" porque actualmente contiene {1} nodo. + Did not delete workspace "{0}" because it currently contains {1} nodes. - No se eliminó el espacio de trabajo "{0}" porque actualmente contiene {1} nodos. + No se eliminó el espacio de trabajo "{0}" porque actualmente contiene {1} nodos. + The workspace "{0}" has been removed. @@ -264,612 +266,612 @@ Todos los cambios del espacio de trabajo "{0}" han sido descartados. - History + History Historial - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Este módulo proporciona una visión general de todos los eventos relevantes que afectan a esta instalación de Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Esto es lo que ocurrió recientemente en Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Aún no se ha registrado ningún evento que podamos mostrar en esta historia. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} Creado el {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} eliminó el {1}"{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} creó la variante {1} del {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modificado el {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} movió el {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} ha copiado el {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renombró el {1} "{2}" a "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modificó contenido el {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} creó un nuevo usuario "{1}" para {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} borró la cuenta "{1}" de {2}. - Load More + Load More Cargar más - This node has been removed in the meantime + This node has been removed in the meantime Mientras tanto, este nodo ha sido eliminado - Administration + Administration Administración - Contains multiple modules related to administration + Contains multiple modules related to administration Contiene varios módulos relacionados con la administración - User Management + User Management Gestión de usuarios - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. El módulo de gestión de usuario le proporciona una visión general de todos los usuarios del back-end. Puede agruparlos por sus propiedades para controlar sus permisos, puntos de montaje de archivos, grupos miembros, etc... Este módulo es una herramienta indispensable para asegurarse de que los usuarios están configurados correctamente. - Overview + Overview Resumen - Show + Show Mostrar - New + New Nuevo - Edit + Edit Editar - Edit account + Edit account Editar cuenta - New electronic address + New electronic address Nueva dirección electrónica - Use system default + Use system default Utilizar valores predeterminados del sistema - Create user + Create user Crear usuario - Create a new user + Create a new user Crear un nuevo usuario - User Data + User Data Datos de usuario - Username + Username Nombre de usuario - Password + Password Contraseña - Repeat password + Repeat password Repetir contraseña - Role(s) + Role(s) Rol(es) - Authentication Provider + Authentication Provider Proveedor de autenticación - Use system default + Use system default Utilizar valores predeterminados del sistema - Personal Data + Personal Data Datos de carácter personal - First Name + First Name Nombre - Last Name + Last Name Apellidos - User Preferences + User Preferences Preferencias de usuario - Interface Language + Interface Language Idioma de la interfaz - Create user + Create user Crear usuario - Details for user + Details for user Detalles del usuario - Personal Data + Personal Data Datos de carácter personal - Title + Title Título - First Name + First Name Nombre - Middle Name + Middle Name Segundo nombre - Last Name + Last Name Apellidos - Other Name + Other Name Otro nombre - Accounts + Accounts Cuentas - Username + Username Nombre de usuario - Roles + Roles Roles - Electronic Addresses + Electronic Addresses Direcciones electrónicas - Primary + Primary Primario - N/A + N/A N/A - Delete User + Delete User Eliminar usuario - Edit User + Edit User Editar usuario - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Estas conectado como este usuario y no se puede eliminar usted mismo. - Click here to delete this user + Click here to delete this user Haga clic aquí para eliminar este usuario - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? ¿Realmente desea eliminar el usuario "{0}"? - Yes, delete the user + Yes, delete the user Sí, eliminar el usuario - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Esto eliminará el usuario, las cuentas correspondientes y su espacio de trabajo personal, incluyendo todos los contenidos no publicados. - This operation cannot be undone + This operation cannot be undone Esta operación no se puede deshacer - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Editar cuenta "{accountIdentifier}" - Account + Account Cuenta - Username + Username Nombre de usuario - The username can't be changed via the user interface + The username can't be changed via the user interface El nombre de usuario no se puede cambiar mediante la interfaz de usuario - Save account + Save account Guardar cuenta - Repeat password + Repeat password Repetir contraseña - Roles + Roles Roles - Directly assigned privilege + Directly assigned privilege Privilegio directamente asignado - Name + Name Nombre - From Parent Role "{role}" + From Parent Role "{role}" Desde el rol principal "{role}" - Accounts and Roles + Accounts and Roles Cuentas y Roles - View user + View user Ver usuario - Edit user + Edit user Editar Usuario - Not enough privileges to edit this user + Not enough privileges to edit this user No hay suficientes privilegios para editar este usuario - Not enough privileges to delete this user + Not enough privileges to delete this user No hay suficientes privilegios para eliminar este usuario - Delete user + Delete user Eliminar usuario - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Estas conectado como este usuario y no se puede eliminar usted mismo. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? ¿Realmente desea eliminar el usuario "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Esto eliminará el usuario, las cuentas correspondientes y su espacio de trabajo personal, incluyendo todos los contenidos no publicados. - Yes, delete the user + Yes, delete the user Sí, eliminar el usuario - Edit user "{0}" + Edit user "{0}" Editar usuario "{0}" - Home + Home Inicio - Work + Work Trabajo - Package Management + Package Management Administrar paquetes - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. El módulo de gestión de paquetes proporciona una visión general de todos los paquetes. Puede activar y desactivar los paquetes individuales, importar paquetes nuevos y eliminar paquetes existentes. También le proporciona la capacidad para congelar y descongelar los paquetes en el contexto de desarrollo. - Available packages + Available packages Paquetes disponibles - Package Name + Package Name Nombre del paquete - Package Key + Package Key Clave de paquete - Package Type + Package Type Tipos de paquete - Deactivated + Deactivated Desactivado - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Este paquete está actualmente congelado. Haga clic para liberarlo. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Congelar el paquete con el fin de acelerar su sitio de Internet. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Este paquete está protegido y no se puede desactivar. - Deactivate Package + Deactivate Package Desactivar el paquete - Activate Package + Activate Package Activar paquete - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Este paquete está protegido y no se puede eliminar. - Delete Package + Delete Package Eliminar paquete - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? ¿Realmente deseas eliminar "{0}"? - Yes, delete the package + Yes, delete the package Sí, eliminar el paquete - Yes, delete the packages + Yes, delete the packages Sí, eliminar los paquetes - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? ¿Está seguro de querer borrar este paquete? - Freeze selected packages + Freeze selected packages Congelar paquetes seleccionados - Unfreeze selected packages + Unfreeze selected packages Liberar paquetes seleccionados - Delete selected packages + Delete selected packages Eliminar paquetes seleccionados - Deactivate selected packages + Deactivate selected packages Desactivar los paquetes seleccionados - Activate selected packages + Activate selected packages Activar los paquetes seleccionados - Sites Management + Sites Management Gestión de sitios - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. El módulo de administración de sitios web le proporciona una visión general de todos los sitios. Puede editar, agregar y eliminar información sobre sus sitios, por ejemplo, agregar un nuevo dominio. - Add new site + Add new site Agregar nuevo sitio - Create site + Create site Crear sitio - Create a new site + Create a new site Crear un nuevo sitio - Root node name + Root node name Nombre del nodo raíz - Domains + Domains Dominios - Site + Site Sitio web - Name + Name Nombre - Default asset collection + Default asset collection Colección de activos predeterminada - Site package + Site package Sitio de paquete - Delete this site + Delete this site Eliminar este sitio - Deactivate site + Deactivate site Desactivar este sitio - Activate site + Activate site Activar sitio - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. ¿Seguro que quieres eliminar "{0}"? Esta acción no se puede deshacer. - Yes, delete the site + Yes, delete the site Si, elimine este sitio - Import a site + Import a site Importar un sitio - Select a site package + Select a site package Seleccionar sitio del paquete - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No hay sitios de paquetes disponibles. Asegúrese de que usted tiene un sitio de paquete activo. - Create a blank site + Create a blank site Crear un sitio en blanco - Select a document nodeType + Select a document nodeType Selecciona el tipo de documento nodoTipo - Select a site generator + Select a site generator Seleccione un generador de sitios - Site name + Site name Nombre del sitio - Create empty site + Create empty site Crear un sitio vacío - Create a new site package + Create a new site package Crear un nuevo sitio de paquete - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No hay sitios disponibles - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. El paquete<em>Kickstarter de Neos</em> no está instalado, instálelo para iniciar los nuevos sitios. - New site + New site Nuevo sitio - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. ¿Seguro que quieres eliminar "{0}"? Esta acción no se puede deshacer. - New domain + New domain Nuevo dominio - Edit domain + Edit domain Editar dominio - Domain data + Domain data Datos del dominio - e.g. www.neos.io + e.g. www.neos.io Por ejemplo, www.neos.io - State + State Estado - Create + Create Crear - Configuration + Configuration Configuración - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. El módulo de configuración le proporciona una visión general de todos los tipos de configuración. - Dimensions + Dimensions Dimensiones - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Concede un resumen gráfico sobre los respaldos configurados dentro de cada dimensión de contenido y en las dimensiones contenidas. - Inter dimensional fallback graph + Inter dimensional fallback graph Gráfico suplente inter dimensional - Inter dimensional + Inter dimensional Interdimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. El gráfico de respaldo interdimensional muestra todos los posibles respaldos (mostrados como bordes) entre subgráficos (combinaciones de valores de dimensión de contenido, mostrados como nodos). @@ -877,416 +879,416 @@ Los recursos alternativos primarios están marcados en azul y siempre visibles, Haga clic en uno de los nodos para ver solo sus alternativas y variantes. Haga clic de nuevo para eliminar el filtro. - Intra dimensional fallback graph + Intra dimensional fallback graph Gráfico Intradimensional de respaldo - Intra dimensional + Intra dimensional Interdimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. El gráfico intradimensional de respaldo muestra suplencias dentro de cada dimensión de contenido. - User + User Usuario - User Settings + User Settings Configuración de usuario - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Este módulo permite personalizar tu perfil de usuario del backend. Aquí puede cambiar su idioma activo, nombre y dirección de email. También puede configurar otras características generales del sistema. - Edit + Edit Editar - Edit + Edit Editar - New electronic address + New electronic address Nueva dirección electrónica - Edit account + Edit account Editar cuenta - Personal Data + Personal Data Datos de carácter personal - User Data + User Data Datos de usuario - User Menu + User Menu Menú de usuario - User Preferences + User Preferences Preferencias de usuario - Interface Language + Interface Language Idioma de la interfaz - Use system default + Use system default Utilizar valores predeterminados del sistema - Accounts + Accounts Cuentas - Username + Username Nombre de usuario - Roles + Roles Roles - Authentication Provider + Authentication Provider Proveedor de autenticación - Electronic addresses + Electronic addresses Direcciones electrónicas - Do you really want to delete + Do you really want to delete Realmente quiere borrar - Yes, delete electronic address + Yes, delete electronic address Sí, eliminar correo electrónico - Click to add a new Electronic address + Click to add a new Electronic address Haga clic para agregar una nueva dirección electrónica - Add electronic address + Add electronic address Agregar dirección electrónica - Save User + Save User Guardar usuario - Edit User + Edit User Editar usuario - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. Se ha producido un error durante la validación de la configuración. - Configuration type not found. + Configuration type not found. No se encuentra el tipo de configuración. - Site package not found + Site package not found No se encuentra el paquete del sitio - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. No se ha encontrado el paquete de sitio con la clave "{0}". - Update + Update Actualizar - The site "{0}" has been updated. + The site "{0}" has been updated. El sitio "{0}" ha sido actualizado. - Missing Package + Missing Package Paquete perdido - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. El paquete "{0}" es necesario para crear nuevos paquetes para el sitio. - Invalid package key + Invalid package key Clave del paquete no válida - The package key "{0}" already exists. + The package key "{0}" already exists. La clave de paquete "{0}" ya existe. - Site package {0} was created. + Site package {0} was created. Se ha creado el paquete de sitio {0}. - The site has been imported. + The site has been imported. El sitio ha sido importado. - Import error + Import error Error al importar - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: Durante la importación de "Sites.xml" del paquete "{0}" se ha producido una excepción: {1} - Site creation error + Site creation error Error en la creación de la página - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: Ya existe una página con siteNodeName "{0}" - Site creation error + Site creation error Error al crear la página - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: No se ha encontrado el tipo de nodo "{0}" - Site creation error + Site creation error Error en la creación de la página - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: El tipo de nodo especificado "%s" no está basado en el supertipo "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Creado con éxito el sitio "{0}" con siteNode "{1}", type "{2}" y packageKey "{3}" - Site deleted + Site deleted Página eliminada - The site "{0}" has been deleted. + The site "{0}" has been deleted. La página "{0}" ha sido eliminada. - Site activated + Site activated Página activada - The site "{0}" has been activated. + The site "{0}" has been activated. La página "{0}" ha sido activada. - Site deactivated + Site deactivated Página desactivada - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. La página "{0}" ha sido desarrollada. - Domain updated + Domain updated Dominio actualizado - The domain "{0}" has been updated. + The domain "{0}" has been updated. El dominio "{0}" ha sido actualizado. - Domain created + Domain created Dominio creado - The domain "{0}" has been created. + The domain "{0}" has been created. Se ha creado el dominio "{0}". - Domain deleted + Domain deleted Dominio eliminado - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. El dominio "{0}" ha sido eliminado. - Domain activated + Domain activated Dominio activado - The domain "{0}" has been activated. + The domain "{0}" has been activated. El dominio "{0}" ha sido activado. - Domain deactivated + Domain deactivated Dominio desactivado - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. El dominio "{0}" ha sido desactivado. - User created + User created Usuario creado - The user "{0}" has been created. + The user "{0}" has been created. Se ha creado el usuario "{0}". - User creation denied + User creation denied Creación del usuario denegada - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". No puede crear un usuario con el rol "{0}". - Unable to create user. + Unable to create user. No se puede crear el usuario. - User editing denied + User editing denied Edición del usuario denegada - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". No se permite editar el usuario "{0}". - User updated + User updated Usuario actualizado - The user "{0}" has been updated. + The user "{0}" has been updated. El usuario "{0}" ha sido actualizado. - User editing denied + User editing denied Edición del usuario denegada - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". No se permite eliminar al usuario "{0}". - Current user cannot be deleted + Current user cannot be deleted El usuario actual no puede ser eliminado - You cannot delete the currently logged in user + You cannot delete the currently logged in user No puede eliminar al usuario conectado actualmente - User deleted + User deleted Usuario eliminado - The user "{0}" has been deleted. + The user "{0}" has been deleted. El usuario "{0}" ha sido eliminado. - User account editing denied + User account editing denied Edición de la cuenta del usuario denegada - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". No se permite editar la cuenta del usuario "{0}". - Don\'t lock yourself out + Don\'t lock yourself out No te quedes fuera - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! Con los roles seleccionados, el usuario actualmente conectado ya no tendría acceso a este módulo. ¡Por favor ajuste los roles asignados! - Account updated + Account updated Cuenta actualizada - The account has been updated. + The account has been updated. La cuenta ha sido actualizada. - User email editing denied + User email editing denied Edición del correo electrónico del usuario denegada - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". No se permite crear una dirección electrónica para el usuario "{0}". - Electronic address added + Electronic address added Dirección electrónica añadida - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Se ha añadido una dirección electrónica "{0}" ({1}). - User email deletion denied + User email deletion denied Denegada la eliminación del correo electrónico del usuario - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". No se permite eliminar una dirección electrónica para el usuario "{0}". - Electronic address removed + Electronic address removed Dirección electrónica eliminada - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". La dirección electrónica "{0}" ({1}) ha sido suprimida para "{2}". - User updated + User updated Usuario actualizado - Your user has been updated. + Your user has been updated. Tu usuario ha sido actualizado. - Updating password failed + Updating password failed Error al actualizar la contraseña - Updating password failed + Updating password failed Error al actualizar la contraseña - Password updated + Password updated Contraseña actualizada - The password has been updated. + The password has been updated. La contraseña ha sido actualizada. - Edit User + Edit User Editar usuario - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Se ha añadido una dirección electrónica "{0}" ({1}). - Electronic address removed + Electronic address removed Dirección electrónica eliminada - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". La dirección electrónica "{0}" ({1}) ha sido suprimida para "{2}". @@ -1294,20 +1296,20 @@ Haga clic en uno de los nodos para ver solo sus alternativas y variantes. Haga c Seleccionar todos los cambios actuales - Last Login + Last Login Última conexión - Contains modules related to management of users + Contains modules related to management of users Contiene módulos relacionados con la gestión de usuarios - Publish selected changes to {0} - Publica los cambios seleccionados en {0} + Publish selected changes to {0} + Publicar cambios seleccionados en {0} - Do you really want to discard the selected changes in the "{0}" workspace? - ¿Realmente deseas descartar los cambios seleccionados en el espacio de trabajo "{0}"? + Do you really want to discard the selected changes in the "{0}" workspace? + ¿Realmente desea descartar los cambios seleccionados en el espacio de trabajo "{0}"? From 9191b547342083bd3131c00b98d2c21e6a4bd847 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Wed, 5 Jun 2024 01:35:05 +0000 Subject: [PATCH 15/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index 5d0dac9f824..c853ac37b8d 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-04 +The following reference was automatically generated from code on 2024-06-05 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index 2610f4011f2..5da5fa820ec 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index 3eb20e92730..b1f72cbdc8c 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index 16cfd60de41..339e1c50022 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index e363a669488..1ce086fcd3f 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index df9881f6fac..adf9884fc25 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index 7a887e7484d..5b284f1fb55 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index 7e3e45445e2..6267e8c5b06 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index 0f6399fc63a..9ae7b62e24c 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index 05c16f2e5a3..86dc8ac2e8a 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index aedb7e1677a..79ab512b4bb 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index 6f557f3bd3d..3494f3452fa 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 68f841c91d3..112f500e666 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index ecffc04024f..31f9d1dae89 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index 656c18ace0d..f141c56f1ef 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 0d7fd2237e1..09210665bbd 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index 753ac060e53..315559aac37 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-04 +This reference was automatically generated from code on 2024-06-05 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From 649ae4e2ce297e160e0f09ad2a92808f61b0a2d2 Mon Sep 17 00:00:00 2001 From: Sophia Grimm Date: Tue, 4 Jun 2024 11:15:22 +0200 Subject: [PATCH 16/30] Bugfix/5116: replace jQuery with vanilla javascript Issue: https://github.com/neos/neos-development-collection/issues/5116 --- .../Resources/Public/JavaScript/select.js | 119 ++++++++++-------- 1 file changed, 68 insertions(+), 51 deletions(-) diff --git a/Neos.Media.Browser/Resources/Public/JavaScript/select.js b/Neos.Media.Browser/Resources/Public/JavaScript/select.js index 6544818dfb3..f7b7ec45612 100644 --- a/Neos.Media.Browser/Resources/Public/JavaScript/select.js +++ b/Neos.Media.Browser/Resources/Public/JavaScript/select.js @@ -1,54 +1,71 @@ -window.addEventListener('DOMContentLoaded', (event) => { - $(function() { - if (window.parent !== window && window.parent.NeosMediaBrowserCallbacks) { - // we are inside iframe - $('.asset-list').on('click', '[data-asset-identifier]', function(e) { - if ( - $(e.target).closest('a, button').not('[data-asset-identifier]').length === 0 && - window.parent.NeosMediaBrowserCallbacks && - typeof window.parent.NeosMediaBrowserCallbacks.assetChosen === 'function' - ) { - let localAssetIdentifier = $(this).attr('data-local-asset-identifier'); - if (localAssetIdentifier !== '') { - window.parent.NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); - } else { - if ($(this).attr('data-import-in-process') !== 'true') { - $(this).attr('data-import-in-process', 'true') - const message = window.NeosCMS.I18n.translate( - 'assetImport.importInfo', - 'Asset is being imported. Please wait.', - 'Neos.Media.Browser', - 'Main', - [] - ) - window.NeosCMS.Notification.ok(message) - $.post( - $('link[rel="neos-media-browser-service-assetproxies-import"]').attr('href'), - { - assetSourceIdentifier: $(this).attr('data-asset-source-identifier'), - assetIdentifier: $(this).attr('data-asset-identifier'), - __csrfToken: $('body').attr('data-csrf-token') - }, - function (data) { - window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); - $(this).removeAttr('data-import-in-process') - } - ); - } - else { - const message = window.NeosCMS.I18n.translate( - 'assetImport.importInProcess', - 'Import still in process. Please wait.', - 'Neos.Media.Browser', - 'Main', - [] - ) - window.NeosCMS.Notification.warning(message) - } +window.addEventListener('DOMContentLoaded', () => { + (function () { + if (window.parent !== window && window.parent.NeosMediaBrowserCallbacks) { + // we are inside iframe + const assets = document.querySelectorAll('[data-asset-identifier]'); + assets.forEach((asset) => { + asset.addEventListener('click', (e) => { + if ( + e.target.closest('a:not([data-asset-identifier]), button:not([data-asset-identifier])') === null && + window.parent.NeosMediaBrowserCallbacks && + typeof window.parent.NeosMediaBrowserCallbacks.assetChosen === 'function' + ) { + let localAssetIdentifier = asset.dataset.localAssetIdentifier; + if (localAssetIdentifier !== '') { + window.parent.NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); + } else { + if (asset.dataset.importInProcess !== 'true') { + asset.dataset.importInProcess = 'true'; + const message = window.NeosCMS.I18n.translate( + 'assetImport.importInfo', + 'Asset is being imported. Please wait.', + 'Neos.Media.Browser' + ); + window.NeosCMS.Notification.ok(message); + + const params = new URLSearchParams(); + params.append('assetSourceIdentifier', asset.dataset.assetSourceIdentifier); + params.append('assetIdentifier', asset.dataset.assetIdentifier); + params.append('__csrfToken', document.querySelector('body').dataset.csrfToken); + + fetch( + document + .querySelector('link[rel="neos-media-browser-service-assetproxies-import"]') + .getAttribute('href'), + { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8', + }, + method: 'POST', + credentials: 'include', + body: params.toString(), } - e.preventDefault(); + ) + .then((response) => { + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); + } + return response.json(); + }) + .then((data) => { + window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); + asset.removeAttribute('data-import-in-process'); + }) + .catch((error) => console.error('Error:', error)) + e.preventDefault(); + } else { + const message = window.NeosCMS.I18n.translate( + 'assetImport.importInProcess', + 'Import still in process. Please wait.', + 'Neos.Media.Browser' + ); + window.NeosCMS.Notification.warning(message); } - }); - } - }); + } + e.preventDefault(); + } + }); + }); + } + })(); }); From f78e0d4ab3428d15c464e17ec9bdf7427004f9d3 Mon Sep 17 00:00:00 2001 From: Sebastian Helzle Date: Wed, 5 Jun 2024 11:18:07 +0200 Subject: [PATCH 17/30] TASK: Refactor media browser importer JS method --- .../Resources/Public/JavaScript/select.js | 139 ++++++++++-------- 1 file changed, 76 insertions(+), 63 deletions(-) diff --git a/Neos.Media.Browser/Resources/Public/JavaScript/select.js b/Neos.Media.Browser/Resources/Public/JavaScript/select.js index f7b7ec45612..5aa77b035f4 100644 --- a/Neos.Media.Browser/Resources/Public/JavaScript/select.js +++ b/Neos.Media.Browser/Resources/Public/JavaScript/select.js @@ -1,71 +1,84 @@ window.addEventListener('DOMContentLoaded', () => { (function () { - if (window.parent !== window && window.parent.NeosMediaBrowserCallbacks) { - // we are inside iframe - const assets = document.querySelectorAll('[data-asset-identifier]'); - assets.forEach((asset) => { - asset.addEventListener('click', (e) => { - if ( - e.target.closest('a:not([data-asset-identifier]), button:not([data-asset-identifier])') === null && - window.parent.NeosMediaBrowserCallbacks && - typeof window.parent.NeosMediaBrowserCallbacks.assetChosen === 'function' - ) { - let localAssetIdentifier = asset.dataset.localAssetIdentifier; - if (localAssetIdentifier !== '') { - window.parent.NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); - } else { - if (asset.dataset.importInProcess !== 'true') { - asset.dataset.importInProcess = 'true'; - const message = window.NeosCMS.I18n.translate( - 'assetImport.importInfo', - 'Asset is being imported. Please wait.', - 'Neos.Media.Browser' - ); - window.NeosCMS.Notification.ok(message); + const NeosMediaBrowserCallbacks = window.parent.NeosMediaBrowserCallbacks; + const NeosCMS = window.NeosCMS; - const params = new URLSearchParams(); - params.append('assetSourceIdentifier', asset.dataset.assetSourceIdentifier); - params.append('assetIdentifier', asset.dataset.assetIdentifier); - params.append('__csrfToken', document.querySelector('body').dataset.csrfToken); + if (window.parent === window || !NeosCMS || !NeosMediaBrowserCallbacks || typeof NeosMediaBrowserCallbacks.assetChosen !== 'function') { + return; + } + + function importAsset(asset) { + const params = new URLSearchParams(); + params.append('assetSourceIdentifier', asset.dataset.assetSourceIdentifier); + params.append('assetIdentifier', asset.dataset.assetIdentifier); + params.append('__csrfToken', document.querySelector('body').dataset.csrfToken); - fetch( - document - .querySelector('link[rel="neos-media-browser-service-assetproxies-import"]') - .getAttribute('href'), - { - headers: { - 'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8', - }, - method: 'POST', - credentials: 'include', - body: params.toString(), - } - ) - .then((response) => { - if (!response.ok) { - throw new Error(`HTTP error! status: ${response.status}`); - } - return response.json(); - }) - .then((data) => { - window.parent.NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); - asset.removeAttribute('data-import-in-process'); - }) - .catch((error) => console.error('Error:', error)) - e.preventDefault(); - } else { - const message = window.NeosCMS.I18n.translate( - 'assetImport.importInProcess', - 'Import still in process. Please wait.', - 'Neos.Media.Browser' - ); - window.NeosCMS.Notification.warning(message); - } - } - e.preventDefault(); + fetch( + document + .querySelector('link[rel="neos-media-browser-service-assetproxies-import"]') + .getAttribute('href'), + { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8', + }, + method: 'POST', + credentials: 'include', + body: params.toString(), + } + ) + .then((response) => { + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); } - }); - }); + return response.json(); + }) + .then((data) => { + NeosMediaBrowserCallbacks.assetChosen(data.localAssetIdentifier); + asset.removeAttribute('data-import-in-process'); + }) + .catch((error) => { + NeosCMS.Notification.error(NeosCMS.I18n.translate( + 'assetImport.importError', + 'Asset could not be imported. Please try again.', + 'Neos.Media.Browser' + ), error); + console.error('Error:', error); + }) } + + const assets = document.querySelectorAll('[data-asset-identifier]'); + assets.forEach((asset) => { + asset.addEventListener('click', (e) => { + const assetLink = e.target.closest('a[data-asset-identifier], button[data-asset-identifier]'); + if (!assetLink) { + return; + } + + const localAssetIdentifier = asset.dataset.localAssetIdentifier; + if (localAssetIdentifier !== '' && !NeosCMS.isNil(localAssetIdentifier)) { + NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); + } else { + if (asset.dataset.importInProcess !== 'true') { + asset.dataset.importInProcess = 'true'; + const message = NeosCMS.I18n.translate( + 'assetImport.importInfo', + 'Asset is being imported. Please wait.', + 'Neos.Media.Browser' + ); + NeosCMS.Notification.ok(message); + + importAsset(asset); + } else { + const message = NeosCMS.I18n.translate( + 'assetImport.importInProcess', + 'Import still in process. Please wait.', + 'Neos.Media.Browser' + ); + NeosCMS.Notification.warning(message); + } + } + e.preventDefault(); + }); + }); })(); }); From e116e5913390700ba458c1f90e95d82102d67d14 Mon Sep 17 00:00:00 2001 From: Hosted Weblate Date: Wed, 5 Jun 2024 21:23:18 +0200 Subject: [PATCH 18/30] TASK: Translated using Weblate (Chinese (Traditional)) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Chinese (Simplified)) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Tagalog) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Swedish) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Serbian) Currently translated at 57.1% (4 of 7 strings) TASK: Translated using Weblate (Norwegian Bokmål) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Khmer (Central)) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Indonesian) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (French) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Finnish) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Vietnamese) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Ukrainian) Currently translated at 71.4% (5 of 7 strings) TASK: Translated using Weblate (Russian) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Portuguese (Brazil)) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Polish) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Japanese) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Italian) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Hungarian) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Greek) Currently translated at 71.4% (5 of 7 strings) TASK: Translated using Weblate (Danish) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Czech) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Arabic) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Latvian) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (Turkish) Currently translated at 85.7% (6 of 7 strings) TASK: Translated using Weblate (German) Currently translated at 100.0% (4 of 4 strings) TASK: Translated using Weblate (German) Currently translated at 100.0% (145 of 145 strings) Co-authored-by: Alexander Girod Co-authored-by: Anonymous Co-authored-by: Hosted Weblate Translate-URL: https://hosted.weblate.org/projects/neos/neos-media-browser-main-8-3/de/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/ar/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/cs/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/da/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/el/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/fi/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/fr/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/hu/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/id/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/it/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/ja/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/km/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/lv/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/nb_NO/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/pl/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/pt_BR/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/ru/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/sr/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/sv/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/tl/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/tr/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/uk/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/vi/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/zh_Hans/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypesnode-8-3/zh_Hant/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-nodetypes-assetlist-nodetypesassetlist-8-3/de/ Translation: Neos/Neos.Media.Browser - Main - 8.3 Translation: Neos/Neos.Neos - NodeTypes/Node - 8.3 Translation: Neos/Neos.NodeTypes.AssetList - NodeTypes/AssetList - 8.3 --- .../Private/Translations/de/Main.xlf | 98 ++++++++++--------- .../Translations/ar/NodeTypes/Node.xlf | 34 ++++--- .../Translations/cs/NodeTypes/Node.xlf | 34 ++++--- .../Translations/da/NodeTypes/Node.xlf | 34 ++++--- .../Translations/el/NodeTypes/Node.xlf | 34 ++++--- .../Translations/fi/NodeTypes/Node.xlf | 34 ++++--- .../Translations/fr/NodeTypes/Node.xlf | 34 ++++--- .../Translations/hu/NodeTypes/Node.xlf | 34 ++++--- .../Translations/id_ID/NodeTypes/Node.xlf | 34 ++++--- .../Translations/it/NodeTypes/Node.xlf | 34 ++++--- .../Translations/ja/NodeTypes/Node.xlf | 34 ++++--- .../Translations/km/NodeTypes/Node.xlf | 34 ++++--- .../Translations/lv/NodeTypes/Node.xlf | 34 ++++--- .../Translations/no/NodeTypes/Node.xlf | 34 ++++--- .../Translations/pl/NodeTypes/Node.xlf | 34 ++++--- .../Translations/pt_BR/NodeTypes/Node.xlf | 34 ++++--- .../Translations/ru/NodeTypes/Node.xlf | 34 ++++--- .../Translations/sr/NodeTypes/Node.xlf | 34 ++++--- .../Translations/sv/NodeTypes/Node.xlf | 34 ++++--- .../Translations/tl_PH/NodeTypes/Node.xlf | 34 ++++--- .../Translations/tr/NodeTypes/Node.xlf | 34 ++++--- .../Translations/uk/NodeTypes/Node.xlf | 34 ++++--- .../Translations/vi/NodeTypes/Node.xlf | 34 ++++--- .../Translations/zh/NodeTypes/Node.xlf | 34 ++++--- .../Translations/zh_TW/NodeTypes/Node.xlf | 34 ++++--- .../Translations/de/NodeTypes/AssetList.xlf | 26 ++--- 26 files changed, 596 insertions(+), 344 deletions(-) diff --git a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf index b9317622ff0..fb9ae6906fe 100644 --- a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf +++ b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf @@ -2,9 +2,9 @@ - + Drag and drop an asset on a collection / tag to add them to it. - Asset per Drag & Drop auf eine Sammlung / einen Tag ziehen, um es hinzuzufügen. + Datei per Drag & Drop auf eine Sammlung / einen Tag ziehen, um es hinzuzufügen. Keep the filename "{0}" @@ -94,21 +94,21 @@ View Ansicht - + View asset - Asset anzeigen + Datei anzeigen - + Edit asset - Asset bearbeiten + Datei bearbeiten - + Delete asset - Asset löschen + Datei löschen - + Do you really want to delete asset "{0}"? - Wollen Sie das Asset "{0}" wirklich löschen? + Wollen Sie die Datei "{0}" wirklich löschen? Do you really want to delete collection "{0}"? @@ -118,17 +118,17 @@ Do you really want to delete tag "{0}"? Wollen Sie das Tag "{0}" wirklich löschen? - + This will delete the asset. - Dadurch wird das Asset gelöscht. + Dadurch wird die Datei gelöscht. - + This will delete the collection, but not the assets that it contains. - Dadurch wird die Sammlung gelöscht, aber nicht die darin enthaltenen Assets. + Dadurch wird die Sammlung gelöscht, aber nicht die darin enthaltenen Dateien. - + This will delete the tag, but not the assets that has it. - Dadurch wird das Tag gelöscht, aber nicht die Assets denen es zugeordnet wurde. + Dadurch wird das Tag gelöscht, aber nicht die Dateien denen es zugeordnet wurde. This operation cannot be undone. @@ -150,9 +150,9 @@ Save Speichern - + Yes, delete the asset - Ja, Asset löschen + Ja, Datei löschen Yes, delete the collection @@ -166,9 +166,9 @@ Edit {0} {0} bearbeiten - + Search in assets - Assets durchsuchen + Dateien durchsuchen Search @@ -190,9 +190,9 @@ Filter options Filteroptionen - + Display all asset types - Alle Asset-Typen anzeigen + Alle Datei-Typen anzeigen Only display image assets @@ -306,17 +306,17 @@ Create tag Tag erstellen - + All assets - Alle Assets + Alle Dateien All Alle - + Untagged assets - Assets ohne Tags + Dateien ohne Tags Untagged @@ -338,9 +338,9 @@ Choose file Datei auswählen - + No Assets found. - Es wurden keine Assets gefunden. + Es wurden keine Dateien gefunden. Basics @@ -408,7 +408,7 @@ Next - Nächste + Nächster Previous @@ -438,17 +438,17 @@ Tagging the asset failed. Beim Zuordnen des Tags ist ein Fehler aufgetreten. - + Adding the asset to the collection failed. - Beim Hinzufügen des Assets zur Sammlung ist ein Fehler aufgetreten. + Beim Hinzufügen der Datei zur Sammlung ist ein Fehler aufgetreten. Creating Erstelle - + Asset could not be deleted, because there are still Nodes using it - Asset konnte nicht gelöscht werden, da es noch von Knoten verwendet wird + Datei konnte nicht gelöscht werden, da es noch von Knoten verwendet wird @@ -500,29 +500,29 @@ Preview current file Vorschau der aktuellen Datei - + Could not replace asset - Asset konnte nicht ersetzt werden + Datei konnte nicht ersetzt werden - + Asset "{0}" has been replaced. - Asset "{0}" wurde ersetzt. + Datei "{0}" wurde ersetzt. - + Asset "{0}" has been updated. - Asset "{0}" wurde aktualisiert. + Datei "{0}" wurde aktualisiert. - + Asset "{0}" has been added. - Asset "{0}" wurde hinzugefügt. + Datei "{0}" wurde hinzugefügt. - + Asset "{0}" has been deleted. - Asset "{0}" wurde gelöscht. + Datei "{0}" wurde gelöscht. - + Asset could not be deleted. - Asset konnte nicht gelöscht werden. + Datei konnte nicht gelöscht werden. Tag "{0}" already exists and was added to collection. @@ -576,6 +576,14 @@ Create missing variants Fehlende Varianten erstellen + + Import still in process. Please wait. + Der Import ist noch nicht abgeschlossen. Bitte warten. + + + Asset is being imported. Please wait. + Die Datei wird importiert. Bitte warten. + diff --git a/Neos.Neos/Resources/Private/Translations/ar/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/ar/NodeTypes/Node.xlf index 433d031efb9..49f8a27f788 100644 --- a/Neos.Neos/Resources/Private/Translations/ar/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/ar/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - العام + General + العام + - Metadata - بيانات التعريف + Metadata + بيانات التعريف + - Metadata - بيانات التعريف + Metadata + بيانات التعريف + - Additional info - معلومات إضافية + Additional info + معلومات إضافية + - Change type - تغيير النوع + Change type + تغيير النوع + - Type - النوع + Type + النوع + + + General + العام + diff --git a/Neos.Neos/Resources/Private/Translations/cs/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/cs/NodeTypes/Node.xlf index ac4f1f4b57f..7baac77b27d 100644 --- a/Neos.Neos/Resources/Private/Translations/cs/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/cs/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Obecný + General + Obecný + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Další informace + Additional info + Další informace + - Change type - Změnit typ + Change type + Změnit typ + - Type - Typ + Type + Typ + + + General + Obecný + diff --git a/Neos.Neos/Resources/Private/Translations/da/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/da/NodeTypes/Node.xlf index 571210d2aad..5868141ad2f 100644 --- a/Neos.Neos/Resources/Private/Translations/da/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/da/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Generelt + General + Generelt + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Yderligere info + Additional info + Yderligere info + - Change type - Skift type + Change type + Skift type + - Type - Type + Type + Type + + + General + Generelt + diff --git a/Neos.Neos/Resources/Private/Translations/el/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/el/NodeTypes/Node.xlf index e521718e205..e4e11b2f1b3 100644 --- a/Neos.Neos/Resources/Private/Translations/el/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/el/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Γενικά + General + Γενικά + - Metadata - Μεταδεδομένα + Metadata + Μεταδεδομένα + - Metadata - Μεταδεδομένα + Metadata + Μεταδεδομένα + - Additional info - Πρόσθετες πληροφορίες + Additional info + Πρόσθετες πληροφορίες + - Change type - Change type + Change type + Change type + - Type - Τύπος + Type + Τύπος + + + General + Γενικά + diff --git a/Neos.Neos/Resources/Private/Translations/fi/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/fi/NodeTypes/Node.xlf index 0818d233de3..e6cbae8bc50 100644 --- a/Neos.Neos/Resources/Private/Translations/fi/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/fi/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Yleiset + General + Yleiset + - Metadata - Metatiedot + Metadata + Metatiedot + - Metadata - Metatiedot + Metadata + Metatiedot + - Additional info - Lisätiedot + Additional info + Lisätiedot + - Change type - Vaihda tyyppiä + Change type + Vaihda tyyppiä + - Type - Tyyppi + Type + Tyyppi + + + General + Yleiset + diff --git a/Neos.Neos/Resources/Private/Translations/fr/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/fr/NodeTypes/Node.xlf index 3e28c7542ab..f3c4e168ffa 100644 --- a/Neos.Neos/Resources/Private/Translations/fr/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/fr/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Général + General + Général + - Metadata - Métadonnées + Metadata + Métadonnées + - Metadata - Métadonnées + Metadata + Métadonnées + - Additional info - Informations complémentaires + Additional info + Informations complémentaires + - Change type - Modifier le type + Change type + Modifier le type + - Type - Type + Type + Type + + + General + Général + diff --git a/Neos.Neos/Resources/Private/Translations/hu/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/hu/NodeTypes/Node.xlf index c12c6093475..c0ec8cac4df 100644 --- a/Neos.Neos/Resources/Private/Translations/hu/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/hu/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Általános  + General + Általános  + - Metadata - Metaadatok + Metadata + Metaadatok + - Metadata - Metaadatok + Metadata + Metaadatok + - Additional info - További információ + Additional info + További információ + - Change type - Típus megváltoztatása + Change type + Típus megváltoztatása + - Type - Típus + Type + Típus + + + General + Általános + diff --git a/Neos.Neos/Resources/Private/Translations/id_ID/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/id_ID/NodeTypes/Node.xlf index a7d16992174..0cb483f0a77 100644 --- a/Neos.Neos/Resources/Private/Translations/id_ID/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/id_ID/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Umum + General + Umum + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Info tambahan + Additional info + Info tambahan + - Change type - Ubah jenis + Change type + Ubah jenis + - Type - Jenis + Type + Jenis + + + General + Umum + diff --git a/Neos.Neos/Resources/Private/Translations/it/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/it/NodeTypes/Node.xlf index 308e1d1c26d..8dae55b02fc 100644 --- a/Neos.Neos/Resources/Private/Translations/it/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/it/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Generale + General + Generale + - Metadata - Metadati + Metadata + Metadati + - Metadata - Metadati + Metadata + Metadati + - Additional info - Informazione aggiuntiva + Additional info + Informazione aggiuntiva + - Change type - Modifica tipo + Change type + Modifica tipo + - Type - Tipologia + Type + Tipologia + + + General + Generale + diff --git a/Neos.Neos/Resources/Private/Translations/ja/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/ja/NodeTypes/Node.xlf index 16ecdda0abf..f8fb86d9060 100644 --- a/Neos.Neos/Resources/Private/Translations/ja/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/ja/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - 一般設定 + General + 一般設定 + - Metadata - メタデータ + Metadata + メタデータ + - Metadata - メタデータ + Metadata + メタデータ + - Additional info - 追加情報 + Additional info + 追加情報 + - Change type - タイプを変更 + Change type + タイプを変更 + - Type - 種類 + Type + 種類 + + + General + 一般設定 + diff --git a/Neos.Neos/Resources/Private/Translations/km/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/km/NodeTypes/Node.xlf index 8787c55ac52..da642edc9a1 100644 --- a/Neos.Neos/Resources/Private/Translations/km/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/km/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - ជាទូទៅ + General + ជាទូទៅ + - Metadata - ទិន្នន័យមេតា + Metadata + ទិន្នន័យមេតា + - Metadata - ទិន្នន័យមេតា + Metadata + ទិន្នន័យមេតា + - Additional info - ព័ត៌មានបន្ថែម + Additional info + ព័ត៌មានបន្ថែម + - Change type - ផ្លាស់ប្តូរប្រភេទ + Change type + ផ្លាស់ប្តូរប្រភេទ + - Type - ប្រភេទ + Type + ប្រភេទ + + + General + ជាទូទៅ + diff --git a/Neos.Neos/Resources/Private/Translations/lv/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/lv/NodeTypes/Node.xlf index ae75c231d95..62deff435ad 100644 --- a/Neos.Neos/Resources/Private/Translations/lv/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/lv/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Galvenais + General + Galvenais + - Metadata - Metadati + Metadata + Metadati + - Metadata - Metadati + Metadata + Metadati + - Additional info - Papildus info + Additional info + Papildus info + - Change type - Mainīt veidu + Change type + Mainīt veidu + - Type - Veids + Type + Veids + + + General + Galvenais + diff --git a/Neos.Neos/Resources/Private/Translations/no/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/no/NodeTypes/Node.xlf index 574b4a22959..eadabbb1dad 100644 --- a/Neos.Neos/Resources/Private/Translations/no/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/no/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Generelt + General + Generelt + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Ytterligere info + Additional info + Ytterligere info + - Change type - Endre type + Change type + Endre type + - Type - Type + Type + Type + + + General + Generelt + diff --git a/Neos.Neos/Resources/Private/Translations/pl/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/pl/NodeTypes/Node.xlf index 5dce6e315f5..ecab2838db6 100644 --- a/Neos.Neos/Resources/Private/Translations/pl/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/pl/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Ogólny + General + Ogólny + - Metadata - Metadane + Metadata + Metadane + - Metadata - Metadane + Metadata + Metadane + - Additional info - Dodatkowe Informacje + Additional info + Dodatkowe Informacje + - Change type - Zmień typ + Change type + Zmień typ + - Type - Typ + Type + Typ + + + General + Ogólny + diff --git a/Neos.Neos/Resources/Private/Translations/pt_BR/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/pt_BR/NodeTypes/Node.xlf index 6095ae55400..441883662ba 100644 --- a/Neos.Neos/Resources/Private/Translations/pt_BR/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/pt_BR/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Geral + General + Geral + - Metadata - Metadados + Metadata + Metadados + - Metadata - Metadados + Metadata + Metadados + - Additional info - Informação adicional + Additional info + Informação adicional + - Change type - Mudar escrita + Change type + Mudar escrita + - Type - Tipo + Type + Tipo + + + General + Geral + diff --git a/Neos.Neos/Resources/Private/Translations/ru/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/ru/NodeTypes/Node.xlf index 554fb525411..ec42559e0f2 100644 --- a/Neos.Neos/Resources/Private/Translations/ru/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/ru/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Общие + General + Общие + - Metadata - Метаданные + Metadata + Метаданные + - Metadata - Метаданные + Metadata + Метаданные + - Additional info - Дополнительная информация + Additional info + Дополнительная информация + - Change type - Изменить тип + Change type + Изменить тип + - Type - Тип + Type + Тип + + + General + Общие + diff --git a/Neos.Neos/Resources/Private/Translations/sr/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/sr/NodeTypes/Node.xlf index ec77c1fd448..ef99c2d8a59 100644 --- a/Neos.Neos/Resources/Private/Translations/sr/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/sr/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Уопштено + General + Уопштено + - Metadata - Мета подаци + Metadata + Мета подаци + - Metadata - Мета подаци + Metadata + Мета подаци + - Additional info - Additional info + Additional info + Additional info + - Change type - Change type + Change type + Change type + - Type - Тип + Type + Тип + + + General + Уопштено + diff --git a/Neos.Neos/Resources/Private/Translations/sv/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/sv/NodeTypes/Node.xlf index f0fc89c9e8d..d2a803999af 100644 --- a/Neos.Neos/Resources/Private/Translations/sv/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/sv/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Allmänt + General + Allmänt + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Ytterligare information + Additional info + Ytterligare information + - Change type - Ändra typ + Change type + Ändra typ + - Type - Typ + Type + Typ + + + General + Allmänt + diff --git a/Neos.Neos/Resources/Private/Translations/tl_PH/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/tl_PH/NodeTypes/Node.xlf index 64eea16d5cf..d9b3846c035 100644 --- a/Neos.Neos/Resources/Private/Translations/tl_PH/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/tl_PH/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Pangkalahatan + General + Pangkalahatan + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - Karagdagang impormasyon + Additional info + Karagdagang impormasyon + - Change type - Ibahin ang uri + Change type + Ibahin ang uri + - Type - Uri + Type + Uri + + + General + Pangkalahatan + diff --git a/Neos.Neos/Resources/Private/Translations/tr/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/tr/NodeTypes/Node.xlf index af07af74f07..4503cd6fab1 100644 --- a/Neos.Neos/Resources/Private/Translations/tr/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/tr/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Genel + General + Genel + - Metadata - Meta veri + Metadata + Meta veri + - Metadata - Meta veri + Metadata + Meta veri + - Additional info - İlave bilgi + Additional info + İlave bilgi + - Change type - Türü değiştir + Change type + Türü değiştir + - Type - Tür + Type + Tür + + + General + Genel + diff --git a/Neos.Neos/Resources/Private/Translations/uk/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/uk/NodeTypes/Node.xlf index 43ee5521eec..e63fa088cc8 100644 --- a/Neos.Neos/Resources/Private/Translations/uk/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/uk/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Загальні + General + Загальні + - Metadata - Метадані + Metadata + Метадані + - Metadata - Метадані + Metadata + Метадані + - Additional info - Додаткова інформація + Additional info + Додаткова інформація + - Change type - Change type + Change type + Change type + - Type - Тип + Type + Тип + + + General + Загальні + diff --git a/Neos.Neos/Resources/Private/Translations/vi/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/vi/NodeTypes/Node.xlf index ed485ba8d1b..0e78c3787c2 100644 --- a/Neos.Neos/Resources/Private/Translations/vi/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/vi/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - Chung + General + Chung + - Metadata - Siêu dữ liệu + Metadata + Siêu dữ liệu + - Metadata - Siêu dữ liệu + Metadata + Siêu dữ liệu + - Additional info - Thông tin bổ sung + Additional info + Thông tin bổ sung + - Change type - Thay đổi kiểu + Change type + Thay đổi kiểu + - Type - Kiểu + Type + Kiểu + + + General + Chung + diff --git a/Neos.Neos/Resources/Private/Translations/zh/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/zh/NodeTypes/Node.xlf index bdb9262abed..ab7ddfc7a2a 100644 --- a/Neos.Neos/Resources/Private/Translations/zh/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/zh/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - 常规设置 + General + 常规设置 + - Metadata - 元数据 + Metadata + 元数据 + - Metadata - 元数据 + Metadata + 元数据 + - Additional info - 附加信息 + Additional info + 附加信息 + - Change type - 更改类型 + Change type + 更改类型 + - Type - 类型 + Type + 类型 + + + General + 常规设置 + diff --git a/Neos.Neos/Resources/Private/Translations/zh_TW/NodeTypes/Node.xlf b/Neos.Neos/Resources/Private/Translations/zh_TW/NodeTypes/Node.xlf index 4ff6d2d9388..be299222577 100644 --- a/Neos.Neos/Resources/Private/Translations/zh_TW/NodeTypes/Node.xlf +++ b/Neos.Neos/Resources/Private/Translations/zh_TW/NodeTypes/Node.xlf @@ -3,23 +3,33 @@ - General - 一般 + General + 一般 + - Metadata - Metadata + Metadata + Metadata + - Metadata - Metadata + Metadata + Metadata + - Additional info - 額外資訊 + Additional info + 額外資訊 + - Change type - 變更類型 + Change type + 變更類型 + - Type - 類型 + Type + 類型 + + + General + 一般 + diff --git a/Neos.NodeTypes.AssetList/Resources/Private/Translations/de/NodeTypes/AssetList.xlf b/Neos.NodeTypes.AssetList/Resources/Private/Translations/de/NodeTypes/AssetList.xlf index b1ce4b5e821..3f5c592fb67 100644 --- a/Neos.NodeTypes.AssetList/Resources/Private/Translations/de/NodeTypes/AssetList.xlf +++ b/Neos.NodeTypes.AssetList/Resources/Private/Translations/de/NodeTypes/AssetList.xlf @@ -2,18 +2,22 @@ - - Asset list - Asset Liste + + Asset list + Datei-Liste + - Resources - Ressourcen - - Assets - Assets - - Empty asset list - Leere Asset-Liste + Resources + Ressourcen + + + Assets + Dateien + + + Empty asset list + Leere Datei-Liste + From 7761126df15dcae8cdfbcac3cf0c9f2260f1b893 Mon Sep 17 00:00:00 2001 From: Hosted Weblate Date: Wed, 5 Jun 2024 21:24:56 +0200 Subject: [PATCH 19/30] TASK: Update translation files Updated by "Cleanup translation files" hook in Weblate. Co-authored-by: Hosted Weblate Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-modules-8-3/ Translation: Neos/Neos.Neos - Modules - 8.3 --- .../Private/Translations/ar/Modules.xlf | 614 ++++--- .../Private/Translations/cs/Modules.xlf | 614 ++++--- .../Private/Translations/da/Modules.xlf | 614 ++++--- .../Private/Translations/el/Modules.xlf | 1521 ++++++++++------- .../Private/Translations/es/Modules.xlf | 4 - .../Private/Translations/fi/Modules.xlf | 614 ++++--- .../Private/Translations/fr/Modules.xlf | 614 ++++--- .../Private/Translations/hu/Modules.xlf | 614 ++++--- .../Private/Translations/id_ID/Modules.xlf | 614 ++++--- .../Private/Translations/it/Modules.xlf | 614 ++++--- .../Private/Translations/ja/Modules.xlf | 614 ++++--- .../Private/Translations/km/Modules.xlf | 614 ++++--- .../Private/Translations/lv/Modules.xlf | 616 ++++--- .../Private/Translations/nl/Modules.xlf | 628 ++++--- .../Private/Translations/no/Modules.xlf | 614 ++++--- .../Private/Translations/pl/Modules.xlf | 614 ++++--- .../Private/Translations/pt/Modules.xlf | 622 ++++--- .../Private/Translations/pt_BR/Modules.xlf | 614 ++++--- .../Private/Translations/ru/Modules.xlf | 614 ++++--- .../Private/Translations/sr/Modules.xlf | 614 ++++--- .../Private/Translations/sv/Modules.xlf | 614 ++++--- .../Private/Translations/tl_PH/Modules.xlf | 1521 ++++++++++------- .../Private/Translations/tr/Modules.xlf | 620 ++++--- .../Private/Translations/uk/Modules.xlf | 614 ++++--- .../Private/Translations/vi/Modules.xlf | 614 ++++--- .../Private/Translations/zh/Modules.xlf | 614 ++++--- .../Private/Translations/zh_TW/Modules.xlf | 614 ++++--- 27 files changed, 9158 insertions(+), 8654 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/ar/Modules.xlf b/Neos.Neos/Resources/Private/Translations/ar/Modules.xlf index 7becbf6ac55..ebc963a60ef 100644 --- a/Neos.Neos/Resources/Private/Translations/ar/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/ar/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back رجوع - Cancel + Cancel إلغاء - Management + Management الإدارة - Contains multiple modules related to management of content + Contains multiple modules related to management of content يحتوي على وحدات متعددة تتعلق بإدارة المحتوى - Workspaces + Workspaces مساحات العمل - Details for "{0}" + Details for "{0}" تفاصيل عن "{0}" - Create new workspace + Create new workspace إنشاء فضاء عمل جديد - Create workspace + Create workspace إنشاء فضاء العمل - Delete workspace + Delete workspace حذف فضاء العمل - Edit workspace + Edit workspace تعديل مجال العمل - Yes, delete the workspace + Yes, delete the workspace نعم، إحذف فضاء العمل - Edit workspace "{0}" + Edit workspace "{0}" تعديل مجال العمل - Personal workspace + Personal workspace فضاء العمل الشخصي - Private workspace + Private workspace مجال العمل الخاص - Internal workspace + Internal workspace فضاء العمل الداخلي - Read-only workspace + Read-only workspace فضاء العمل خاص بالقراءة فقط - Title + Title العنوان - Description + Description الوصف - Base workspace + Base workspace مجال العمل الأساسي - Owner + Owner المالك - Visibility + Visibility الظهور - Private + Private خاص - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace فضاء العمل هذا لا يمكن الوصول إليه وتعديله إلا من طرف المراجعين والمسؤولين فقط - Internal + Internal داخلي - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. يمكن لأي محرر تسجيل الدخول رؤية وتعديل فضاء العمل هذا. - Changes + Changes التغييرات - Open page in "{0}" workspace + Open page in "{0}" workspace فتح الصفحة في فضاء العمل "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. هذا هو فضاء العمل الخاص بك الذي لا يمكنك حذفه. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. يحتوي فضاء العمل على مجموعة من التغييرات. للحذف، يرجى تجاهل التغييرات أولاً. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. لا يمكن إعادة إنشاء هذا فضاء العمل على أساس فضاء عمل مختلف لأنه لا يزال يحتوي على التغييرات. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. لا يمكن حذف فضاء العمل لأن مجالات عمل أخرى تعتمد عليه. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. ليس لديك الصلاحية لحذف هذا الفضاء العمل. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? هل تريد حقاً حذف فضاء العمل "{0}"؟ - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. سيؤدي هذا إلى حذف فضاء العمل بما في ذلك كل شيء غير منشور. هذه العملية لا يمكن التراجع عنها. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. هذه الوحدة النمطية يحتوي على نظرة عامة على جميع العناصر في فضاء العمل الحالية، وأنه يمكن مواصلة استعراض ونشر سير العمل لهم. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" التغييرات غير المنشورة في فضاء العمل "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} الإضافات: {new}، التغييرات: {changed}، عمليات الإزالة: {removed} - Review + Review المراجعة - Discard selected changes + Discard selected changes تجاهل التغييرات المحددة - - Publish selected changes - نشر التغييرات المحددة - - Discard all changes + Discard all changes تجاهل كل التغييرات - Publish all changes + Publish all changes انشر كل التغييرات - Publish all changes to {0} + Publish all changes to {0} نشر كافة التغييرات إلى {0} - Changed Content + Changed Content المحتوى المتغير - deleted + deleted حذف - created + created أنشأت - moved + moved نقل - hidden + hidden مخفي - edited + edited حررت - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. ليس هناك أية تغييرات غير منشورة في فضاء العمل هذا. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? هل تريد حقاً أن تتجاهل كافة التغييرات في فضاء العمل "{0}"؟ @@ -266,612 +262,612 @@ تم تجاهل كافة التغييرات في فضاء العمل "{0}". - History + History التاريخ - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. هذه الوحدة توفر لمحة عامة عن جميع الأحداث ذات الصلة التي تؤثر على هذا التثبيت لنيوس. - Here's what happened recently in Neos + Here's what happened recently in Neos هنا ما حدث مؤخرا في نيوس - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. أنه لم يتم تسجيل أية أحداث بعد الذي يمكن أن يتم عرضها في هذا التاريخ. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} انشأ ال{1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} ازال ال{1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". قام {0} بإنشاء المتغير {1} من {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} قام بتغيير {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} قام بنقل {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} قام بنسخ {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} أعادت تسمية {1} "{2}" إلى"{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} مُحتوى مُعدّل على {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} إنشاء مستخدم جديد "{1}" ل {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} حذف الحساب "{1}" من {2}. - Load More + Load More تحميل المزيد - This node has been removed in the meantime + This node has been removed in the meantime تم إزالة هذه العقدة في الوقت نفسه - Administration + Administration الإدارة - Contains multiple modules related to administration + Contains multiple modules related to administration يحتوي على عدة وحدات تتعلق بإدارة المحتوى - User Management + User Management إدارة المستخدم - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. الوحدة النمطية "إدارة المستخدم" توفر لك نظرة عامة لكافة المستخدمين. يمكنك أن تجمع لهم مجموعة من الخصائص الخاصة حتى تتمكن من رصد الأذونات الخاصة بهم، فيليمونتس، مجموعات الأعضاء إلخ... هذه الوحدة أداة لا غنى عنها من أجل التأكد من أنه تم ضبط إعدادات المستخدمين بشكل صحيح. - Overview + Overview نظرة عامة - Show + Show عرض - New + New جديد - Edit + Edit عدل - Edit account + Edit account تعديل الحساب - New electronic address + New electronic address عنوان إلكتروني جديد - Use system default + Use system default استخدام الإعدادات الافتراضية - Create user + Create user إنشاء مستخدم - Create a new user + Create a new user إنشاء مستخدم جديد - User Data + User Data بيانات المستخدم - Username + Username اسم المستخدم - Password + Password كلمة السر - Repeat password + Repeat password قم بإعادة كتابة كلمة السر - Role(s) + Role(s) الصلاحيات - Authentication Provider + Authentication Provider Authentication Provider - Use system default + Use system default استخدام الإعدادات الافتراضية - Personal Data + Personal Data البيانات الشخصية - First Name + First Name الإسم الأول - Last Name + Last Name اسم العائلة - User Preferences + User Preferences المفضلة عند المستخدم - Interface Language + Interface Language لغة الواجهة - Create user + Create user إنشاء مستخدم - Details for user + Details for user تفاصيل المستخدم - Personal Data + Personal Data البيانات الشخصية - Title + Title العنوان - First Name + First Name الإسم الأول - Middle Name + Middle Name الإسم الأوسط - Last Name + Last Name اسم العائلة - Other Name + Other Name اسم آخر - Accounts + Accounts الحسابات - Username + Username اسم المستخدم - Roles + Roles الأدوار - Electronic Addresses + Electronic Addresses البريد الإلكتروني - Primary + Primary الرئيسي - N/A + N/A غير متوفر - Delete User + Delete User حذف المستخدم - Edit User + Edit User تعديل المستخدم - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. تم تسجيل الدخولك بهذا مستخدم ولا يمكنك حذف نفسك. - Click here to delete this user + Click here to delete this user انقر هنا لحذف هذا المستخدم - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? هل تريد حقاً حذف المستخدم "{0}" ؟ - Yes, delete the user + Yes, delete the user نعم، إحذف المستخدم - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. سيؤدي هذا إلى حذف المستخدم والحسابات ذات الصلة به و مساحة العمل الشخصية، بما في ذلك كل المحتوى الغير منشور. - This operation cannot be undone + This operation cannot be undone لا يمكن التراجع عن هذا الإجراء - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" تحرير الحساب "{accountIdentifier}" - Account + Account الحساب - Username + Username اسم المستخدم - The username can't be changed via the user interface + The username can't be changed via the user interface لا يمكن تغيير اسم المستخدم عن طريق واجهة المستخدم - Save account + Save account حفظ الحساب - Repeat password + Repeat password قم بإعادة كتابة كلمة السر - Roles + Roles الأدوار - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name الاسم - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles الحسابات والأدوار - View user + View user عرض المستخدم - Edit user + Edit user تعديل المستخدم - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user حذف المستخدم - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. تم تسجيل الدخولك بهذا مستخدم ولا يمكنك حذف نفسك. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? هل تريد حقاً حذف المستخدم "{0}" ؟ - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. سيؤدي هذا إلى حذف المستخدم والحسابات ذات الصلة به و مساحة العمل الشخصية، بما في ذلك كل المحتوى الغير منشور. - Yes, delete the user + Yes, delete the user نعم، إحذف المستخدم - Edit user "{0}" + Edit user "{0}" تعديل المستخدم "{0}" - Home + Home الصفحة الرئيسية - Work + Work المهنة - Package Management + Package Management إدارة الحزمة - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. وحدة "إدارة حزمة" يوفر لك نظرة عامة لكافة الحزم. يمكنك تنشيط وإلغاء تنشيط مجموعات فردية، قم باستيراد حزم جديدة وحذف الحزم الموجودة. كما أنه يوفر لك القدرة على تجميدها وإلغاء تجميدها في سياق التنمية. - Available packages + Available packages الحزم المتوفرة - Package Name + Package Name اسم الحزمة - Package Key + Package Key مفتاح الحزمة - Package Type + Package Type نوع الحزمة - Deactivated + Deactivated غير مفعلة - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. هذه الحزمة هي مجمدة حاليا. انقر فوق لإلغاء تجميدها. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. تجميد الحزمة من أجل الإسراع في موقع الويب الخاص بك. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. هذه الحزمة محمية ولا يمكن تجميدها. - Deactivate Package + Deactivate Package تجميد الحزمة - Activate Package + Activate Package تنشيط الحزمة - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. هذه الحزمة محمي ولا يمكن حذفها. - Delete Package + Delete Package حذف الحزمة - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? هل تريد حقاً حذف "{0}"؟ - Yes, delete the package + Yes, delete the package نعم، إحذف الحزمة - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Sites Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site إضافة موقع جديد - Create site + Create site Create site - Create a new site + Create a new site Create a new site - Root node name + Root node name اسم عقدة الجذر - Domains + Domains نطاقات - Site + Site موقع - Name + Name الاسم - Default asset collection + Default asset collection مجموعة الأصول الافتراضية - Site package + Site package حزمة الموقع - Delete this site + Delete this site احذف هذا الموقع - Deactivate site + Deactivate site إلغاء تفعيل الموقع - Activate site + Activate site تفعيل الموقع - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. هل تريد حقاً حذف "{0}"؟ هذا الأمر لا يمكن التراجع عنه. - Yes, delete the site + Yes, delete the site نعم, احذف هذا الموقع - Import a site + Import a site استيراد موقع - Select a site package + Select a site package اختر حزمة موقع - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. لا توجد حزمة موقع متاحة. تأكد بأن لديك حزمة موقع مفعلة. - Create a blank site + Create a blank site انشئ موقع فارغ - Select a document nodeType + Select a document nodeType حدد وثيقة نوع العقدة - Select a site generator + Select a site generator Select a site generator - Site name + Site name اسم الموقع - Create empty site + Create empty site انشئ موقع فارغ - Create a new site package + Create a new site package انشئ حزمة موقع جديدة - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available لا مواقع متاحة - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site موقع جديد - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. هل تريد حقاً حذف "{0}"؟ هذا الأمر لا يمكن التراجع عنه. - New domain + New domain نطاق جديد - Edit domain + Edit domain تعديل نطاق - Domain data + Domain data بيانات المجال - e.g. www.neos.io + e.g. www.neos.io مثل www.neos.io - State + State حالة - Create + Create انشئ - Configuration + Configuration Configuration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions الأبعاد - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User User - User Settings + User Settings User Settings - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit عدل - Edit + Edit عدل - New electronic address + New electronic address عنوان إلكتروني جديد - Edit account + Edit account تعديل الحساب - Personal Data + Personal Data البيانات الشخصية - User Data + User Data بيانات المستخدم - User Menu + User Menu User Menu - User Preferences + User Preferences المفضلة عند المستخدم - Interface Language + Interface Language لغة الواجهة - Use system default + Use system default استخدام الإعدادات الافتراضية - Accounts + Accounts الحسابات - Username + Username اسم المستخدم - Roles + Roles الأدوار - Authentication Provider + Authentication Provider Authentication Provider - Electronic addresses + Electronic addresses Electronic addresses - Do you really want to delete + Do you really want to delete Do you really want to delete - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User حفظ المستخدم - Edit User + Edit User تعديل المستخدم - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update تحديث - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User تعديل المستخدم - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/cs/Modules.xlf b/Neos.Neos/Resources/Private/Translations/cs/Modules.xlf index 87e2ff20c40..690e2e87bf2 100644 --- a/Neos.Neos/Resources/Private/Translations/cs/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/cs/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Back - Cancel + Cancel Zrušit - Management + Management Správa - Contains multiple modules related to management of content + Contains multiple modules related to management of content Obsahuje moduly pro správu obsahu - Workspaces + Workspaces Workspaces - Details for "{0}" + Details for "{0}" Details for "{0}" - Create new workspace + Create new workspace Create new workspace - Create workspace + Create workspace Create workspace - Delete workspace + Delete workspace Delete workspace - Edit workspace + Edit workspace Edit workspace - Yes, delete the workspace + Yes, delete the workspace Yes, delete the workspace - Edit workspace "{0}" + Edit workspace "{0}" Edit workspace - Personal workspace + Personal workspace Personal workspace - Private workspace + Private workspace Private workspace - Internal workspace + Internal workspace Internal workspace - Read-only workspace + Read-only workspace Read-only workspace - Title + Title Titul - Description + Description Popis - Base workspace + Base workspace Base workspace - Owner + Owner Owner - Visibility + Visibility Viditelnost - Private + Private Private - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Only reviewers and administrators can access and modify this workspace - Internal + Internal Internal - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Any logged in editor can see and modify this workspace. - Changes + Changes Changes - Open page in "{0}" workspace + Open page in "{0}" workspace Open page in "{0}" workspace - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. This is your personal workspace which you can't delete. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. The workspace contains changes. To delete, discard the changes first. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. The workspace cannot be deleted because other workspaces depend on it. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. You don't have the permissions for deleting this workspace. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Do you really want to delete the workspace "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. This will delete the workspace including all unpublished content. This operation cannot be undone. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unpublished changes in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} additions: {new}, changes: {changed}, removals: {removed} - Review + Review Review - Discard selected changes + Discard selected changes Discard selected changes - - Publish selected changes - Publish selected changes - - Discard all changes + Discard all changes Discard all changes - Publish all changes + Publish all changes Publikovat všechny změny - Publish all changes to {0} + Publish all changes to {0} Publish all changes to {0} - Changed Content + Changed Content Changed Content - deleted + deleted deleted - created + created created - moved + moved moved - hidden + hidden hidden - edited + edited edited - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. There are no unpublished changes in this workspace. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Do you really want to discard all changes in the "{0}" workspace? @@ -266,612 +262,612 @@ All changes from workspace "{0}" have been discarded. - History + History Historie - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. This module provides an overview of all relevant events affecting this Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Here's what happened recently in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. There have not been recorded any events yet which could be displayed in this history. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} vytvořil {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} odebrán {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} vytvořil variantu {1} z {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} změněn {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} přesunut {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} zkopírováno {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} přejmenováno {1} "{2}" na "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} změněný obsah na {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} created a new user "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} deleted the account "{1}" of {2}. - Load More + Load More Load More - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Administrace - Contains multiple modules related to administration + Contains multiple modules related to administration Contains multiple modules related to administration - User Management + User Management Správa uživatelů - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Modul Správa uživatelů poskytuje přehled všech uživatelů. Můžete je seskupit podle jejich vlastností, takže budete moci sledovat jejich oprávnění, soubory, členství ve skupinách atd… Tento modul je nepostradatelným nástrojem pro kontrolu, že jsou uživatelské účty správně nakonfigurovány. - Overview + Overview Overview - Show + Show Show - New + New New - Edit + Edit Editovat - Edit account + Edit account Edit account - New electronic address + New electronic address New electronic address - Use system default + Use system default Použít výchozí nastavení systému - Create user + Create user Create user - Create a new user + Create a new user Create a new user - User Data + User Data User Data - Username + Username Uživatelské jméno - Password + Password Heslo - Repeat password + Repeat password Opakovat heslo - Role(s) + Role(s) Role(s) - Authentication Provider + Authentication Provider Authentication Provider - Use system default + Use system default Použít výchozí nastavení systému - Personal Data + Personal Data Personal Data - First Name + First Name Křestní Jméno - Last Name + Last Name Příjmení - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Create user + Create user Create user - Details for user + Details for user Details for user - Personal Data + Personal Data Personal Data - Title + Title Titul - First Name + First Name Křestní Jméno - Middle Name + Middle Name Prostřední jméno - Last Name + Last Name Příjmení - Other Name + Other Name Jiné jméno - Accounts + Accounts Accounts - Username + Username Uživatelské jméno - Roles + Roles Roles - Electronic Addresses + Electronic Addresses Electronic Addresses - Primary + Primary Výchozí - N/A + N/A N/A - Delete User + Delete User Delete User - Edit User + Edit User Edit User - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Click here to delete this user + Click here to delete this user Click here to delete this user - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - Yes, delete the user + Yes, delete the user Yes, delete the user - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This operation cannot be undone + This operation cannot be undone This operation cannot be undone - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Upravit účet "{accountIdentifier}" - Account + Account Účet - Username + Username Uživatelské jméno - The username can't be changed via the user interface + The username can't be changed via the user interface Uživatelské jméno nelze změnit prostřednictvím uživatelského rozhraní - Save account + Save account Uložit účet - Repeat password + Repeat password Opakovat heslo - Roles + Roles Roles - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Name - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Accounts and Roles - View user + View user View user - Edit user + Edit user Edit user - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Delete user - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - Yes, delete the user + Yes, delete the user Yes, delete the user - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work Work - Package Management + Package Management Správa balíčků - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Správa webů - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site Přidat novou stránku - Create site + Create site Create site - Create a new site + Create a new site Create a new site - Root node name + Root node name Root node name - Domains + Domains Domény - Site + Site Site - Name + Name Name - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Odstranit tuto stránku - Deactivate site + Deactivate site Deaktivovat stránku - Activate site + Activate site Aktivovat stránku - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Opravdu chcete odtranit "{0}"? Tuto akci nelze vrátit zpět. - Yes, delete the site + Yes, delete the site Ano, odstranit stránku - Import a site + Import a site Importovat stránku - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Vytvořit prázdnou stránku - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Název stránky - Create empty site + Create empty site Vytvořit prázdnou stránku - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Opravdu chcete odtranit "{0}"? Tuto akci nelze vrátit zpět. - New domain + New domain Nová doména - Edit domain + Edit domain Upravit doménu - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration Configuration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Uživatel - User Settings + User Settings User Settings - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit Editovat - Edit + Edit Editovat - New electronic address + New electronic address New electronic address - Edit account + Edit account Edit account - Personal Data + Personal Data Personal Data - User Data + User Data User Data - User Menu + User Menu User Menu - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Use system default + Use system default Použít výchozí nastavení systému - Accounts + Accounts Accounts - Username + Username Uživatelské jméno - Roles + Roles Roles - Authentication Provider + Authentication Provider Authentication Provider - Electronic addresses + Electronic addresses Electronic addresses - Do you really want to delete + Do you really want to delete Do you really want to delete - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User Save User - Edit User + Edit User Edit User - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Aktualizovat - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Edit User - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/da/Modules.xlf b/Neos.Neos/Resources/Private/Translations/da/Modules.xlf index 894b3d23e83..83b7834f022 100644 --- a/Neos.Neos/Resources/Private/Translations/da/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/da/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Tilbage - Cancel + Cancel Annullér - Management + Management Management - Contains multiple modules related to management of content + Contains multiple modules related to management of content Indeholder flere moduler relateret til administration af indhold - Workspaces + Workspaces Arbejdsrum - Details for "{0}" + Details for "{0}" Detaljer for "{0}" - Create new workspace + Create new workspace Opret nyt arbejdsrum - Create workspace + Create workspace Opret arbejdsrum - Delete workspace + Delete workspace Slet arbejdsrum - Edit workspace + Edit workspace Redigér arbejdsrum - Yes, delete the workspace + Yes, delete the workspace Ja, slette arbejdsrummet - Edit workspace "{0}" + Edit workspace "{0}" Redigér arbejdsrum - Personal workspace + Personal workspace Personligt arbejdsrum - Private workspace + Private workspace Privat arbejdsrum - Internal workspace + Internal workspace Internt arbejdsrum - Read-only workspace + Read-only workspace Skrivebeskyttet arbejdsrum - Title + Title Titel - Description + Description Beskrivelse - Base workspace + Base workspace Basisarbejdsrum - Owner + Owner Ejer - Visibility + Visibility Synlighed - Private + Private Privat - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Kun korrekturlæsere og administratorer kan få adgang til og ændre dette arbejdsrum - Internal + Internal Internt - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Enhver redaktør som er logget ind kan se og ændre dette arbejdsrum. - Changes + Changes Ændringer - Open page in "{0}" workspace + Open page in "{0}" workspace Åbn side i arbejdsrummet "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Dette er dit personlige arbejdsrum, som du ikke kan slette. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Arbejdsrummet indeholder ændringer. Hvis du vil slette, slet ændringerne først. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Arbejdsrummet kan ikke sammenflettes med et andet arbejdsrum, fordi den stadig indeholder ændringer. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Arbejdsrummet kan ikke slettes, fordi andre arbejdsrum er afhængige af det. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Du har ikke tilladelse til at slette dette arbejdsrum. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Vil du slette arbejdsrummet "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Dette vil slette arbejdsrummet inklusiv alle ikke-publicerede ændringer. Denne handling kan ikke fortrydes. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Dette modul indeholder en oversigt over alle elementer i det aktuelle arbejdsrum, og det gør det muligt at fortsætte korrektur- og udgivelsesarbejdsgangen for dem. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Ikke publiceret ændringer - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} tilføjelser: {new}, ændringer: {changed}, flyttede: {removed} - Review + Review Gennemgå - Discard selected changes + Discard selected changes Kassér valgte ændringer - - Publish selected changes - Publicér valgte ændringer - - Discard all changes + Discard all changes Kassér alle ændringer - Publish all changes + Publish all changes Publicér alle ændringer - Publish all changes to {0} + Publish all changes to {0} Publicér alle ændringer til {0} - Changed Content + Changed Content Ændret indhold - deleted + deleted slettet - created + created oprettet - moved + moved flytted - hidden + hidden skjult - edited + edited redigeret - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Der er ingen upublicerede ændringer i dette arbejdsrum. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Er du sikker på du virkelig vil slette alle ændringer i "{0}" arbejdsrum? @@ -266,612 +262,612 @@ Alle ændringer fra arbejdsrummet "{0}" er blevet kasseret. - History + History Historik - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Dette modul giver et overblik over alle relevante begivenheder, der påvirker denne Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Her er, hvad der er sket for nyligt i Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Der er endnu ikke registreret nogen begivenheder, der kunne vises i denne historik. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} oprettede {1} {2}. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} fjernede {1} {2}. - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} oprettede varianten {1} af {2} {3}. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} ændrede {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} flyttede {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} kopierede {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} omdøbte {1} "{2}" til "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} ændrede indhold på {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} oprettede en ny bruger "{1}" til {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} slettede kontoen "{1}" fra {2}. - Load More + Load More Indlæs flere - This node has been removed in the meantime + This node has been removed in the meantime Dette element er blevet fjernet i mellemtiden - Administration + Administration Administration - Contains multiple modules related to administration + Contains multiple modules related to administration Indeholder flere moduler relateret til administration - User Management + User Management Brugeradministration - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Brugeradministrationsmodulet giver dig et overblik over alle backend-brugere. Du kan gruppere dem efter deres egenskaber, så du er i stand til at holde øje med deres tilladelser, filemounts, grupper, mv. Dette modul er et uundværligt værktøj til at sikre, at brugerne er sat korrekt op. - Overview + Overview Oversigt - Show + Show Vis - New + New Ny - Edit + Edit Redigér - Edit account + Edit account Rediger konto - New electronic address + New electronic address Ny elektronisk adresse - Use system default + Use system default Brug systemets standard - Create user + Create user Opret bruger - Create a new user + Create a new user Opret ny bruger - User Data + User Data Brugerinformation - Username + Username Brugernavn - Password + Password Adgangskode - Repeat password + Repeat password Gentag kodeord - Role(s) + Role(s) Rolle(r) - Authentication Provider + Authentication Provider Autentificeringstjeneste - Use system default + Use system default Brug systemets standard - Personal Data + Personal Data Personlig information - First Name + First Name Fornavn - Last Name + Last Name Efternavn - User Preferences + User Preferences Brugerindstillinger - Interface Language + Interface Language Systemsprog - Create user + Create user Opret bruger - Details for user + Details for user Brugerdetaljer - Personal Data + Personal Data Personlig information - Title + Title Titel - First Name + First Name Fornavn - Middle Name + Middle Name Mellemnavn - Last Name + Last Name Efternavn - Other Name + Other Name Andet navn - Accounts + Accounts Konti - Username + Username Brugernavn - Roles + Roles Roller - Electronic Addresses + Electronic Addresses Elektroniskeadresser - Primary + Primary Primær - N/A + N/A Ikke til rådighed - Delete User + Delete User Slet bruger - Edit User + Edit User Rediger bruger - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du er logget ind som denne bruger og du kan ikke slette dig selv. - Click here to delete this user + Click here to delete this user Klik her for at slette denne bruger - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vil du slette brugeren "{0}"? - Yes, delete the user + Yes, delete the user Ja, slet brugeren - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dette sletter brugeren, de relaterede konti og personlige arbejdsrum, herunder alt ikke-publiceret indhold. - This operation cannot be undone + This operation cannot be undone Denne handling kan ikke fortrydes - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Rediger konto "{accountIdentifier}" - Account + Account Konto - Username + Username Brugernavn - The username can't be changed via the user interface + The username can't be changed via the user interface Brugernavnet kan ikke ændres via brugergrænsefladen - Save account + Save account Gem konto - Repeat password + Repeat password Gentag kodeord - Roles + Roles Roller - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Navn - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Konti og roller - View user + View user Vis bruger - Edit user + Edit user Rediger bruger - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Slet bruger - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du er logget ind som denne bruger og du kan ikke slette dig selv. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vil du slette brugeren "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dette sletter brugeren, de relaterede konti og personlige arbejdsrum, herunder alt ikke-publiceret indhold. - Yes, delete the user + Yes, delete the user Ja, slet brugeren - Edit user "{0}" + Edit user "{0}" Rediger bruger "{0}" - Home + Home Hjem - Work + Work Arbejde - Package Management + Package Management Pakkehåndtering - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Pakkehåndteringsmodulet giver dig et overblik over alle pakker. Du kan aktivere og deaktivere individuelle pakker, importere nye pakker og slette eksisterende pakker. Det giver dig også mulighed for at fastlåse og frigøre pakker i udviklingssammenhæng. - Available packages + Available packages Tilgængelige pakker - Package Name + Package Name Pakkenavn - Package Key + Package Key Pakkenøgle - Package Type + Package Type Pakketype - Deactivated + Deactivated Deaktiveret - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Denne pakke er i øjeblikket låst. Klik for at frigive den. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Lås pakken for at optimere din hjemmeside. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Denne pakke er beskyttet og kan ikke deaktiveres. - Deactivate Package + Deactivate Package Deaktivér pakke - Activate Package + Activate Package Aktivér pakke - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Denne pakke er beskyttet og kan ikke slettes. - Delete Package + Delete Package Slet pakke - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Vil du slette "{0}"? - Yes, delete the package + Yes, delete the package Ja, slet pakken - Yes, delete the packages + Yes, delete the packages Ja, slet pakkerne - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Vil du slette de valgte pakker? - Freeze selected packages + Freeze selected packages Lås valgte pakker - Unfreeze selected packages + Unfreeze selected packages Frigør valgte pakker - Delete selected packages + Delete selected packages Slet valgte pakker - Deactivate selected packages + Deactivate selected packages Deaktivér valgte pakker - Activate selected packages + Activate selected packages Aktivér valgte pakker - Sites Management + Sites Management Administration af websteder - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Websteds administrationsmodulet giver dig en oversigt over alle websteder. Du kan redigere, tilføje og slette information om dine websteder, så som at tilføje et nyt domæne. - Add new site + Add new site Tilføj nyt websted - Create site + Create site Opret websted - Create a new site + Create a new site Opret et nyt websted - Root node name + Root node name Rod node navn - Domains + Domains Domæner - Site + Site Webside - Name + Name Navn - Default asset collection + Default asset collection Standard filkollektion - Site package + Site package Websted pakke - Delete this site + Delete this site Slet dette websted - Deactivate site + Deactivate site Deaktiver websted - Activate site + Activate site Aktiver websted - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vil du slette "{0}"? Dette kan ikke fortrydes. - Yes, delete the site + Yes, delete the site Ja, slet dette websted - Import a site + Import a site Importer et websted - Select a site package + Select a site package Vælg en webstedspakke - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Ingen websteder tilgængelig. Vær sikker på du har en aktiv webstedspakke. - Create a blank site + Create a blank site Opret et blankt websted - Select a document nodeType + Select a document nodeType Vælg dokumenttype - Select a site generator + Select a site generator Select a site generator - Site name + Site name Websted navn - Create empty site + Create empty site Opret tomt websted - Create a new site package + Create a new site package Opret ny webstedspakke - VendorName.MyPackageKey + VendorName.MyPackageKey EjerNavn.MinPakkeNøgle - No sites available + No sites available Ingen sider tilgængelig - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. <em>Neos Kickstarter</em> pakken er ikke installeret, installer for at kunne generere nye websteder. - New site + New site Ny side - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vil du slette "{0}"? Dette kan ikke fortrydes. - New domain + New domain Nyt domæne - Edit domain + Edit domain Rediger domæne - Domain data + Domain data Domæne data - e.g. www.neos.io + e.g. www.neos.io f.eks. www.neos.io - State + State Status - Create + Create Opret - Configuration + Configuration Konfiguration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Konfigurationsmodulet giver dig et overblik over alle konfiguration typer. - Dimensions + Dimensions Dimensioner - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Giver et grafisk overblik over de konfigurerede tilbagefald indenfor hver indholdsdimension samt på tværs af indholdsdimensioner. - Inter dimensional fallback graph + Inter dimensional fallback graph Flerdimensionel tilbagefaldsgraf - Inter dimensional + Inter dimensional Flerdimensionel - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Den interdimentionelle graf viser all mulige tilbagefald (vist som kanter) mellem undergrafer (indholdsdimensions værdikombinationer, vist som noder). @@ -879,416 +875,416 @@ Primære tilbagefald er markeret med blå og er altid synlige, mens mindre prior Klik på en af noderne for kun at se dens tilbagefald og varianter. Klik igen for at fjerne filteret. - Intra dimensional fallback graph + Intra dimensional fallback graph Intradimentionel tilbagefaldsgraf - Intra dimensional + Intra dimensional Intradimentionel - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Den intradimentionelle graf viser tilbagefalds indenfor hver indholdsdimension. - User + User Bruger - User Settings + User Settings Brugerindstillinger - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Dette modul giver dig mulighed for at tilpasse din backend brugerprofil. Her kan du ændre det aktive systemsprog, dit navn og din e-mail adresse. Du kan også indstille andre funktionaliteter i systemet. - Edit + Edit Redigér - Edit + Edit Redigér - New electronic address + New electronic address Ny elektronisk adresse - Edit account + Edit account Rediger konto - Personal Data + Personal Data Personlig information - User Data + User Data Brugerinformation - User Menu + User Menu Brugermenu - User Preferences + User Preferences Brugerindstillinger - Interface Language + Interface Language Systemsprog - Use system default + Use system default Brug systemets standard - Accounts + Accounts Konti - Username + Username Brugernavn - Roles + Roles Roller - Authentication Provider + Authentication Provider Autentificeringstjeneste - Electronic addresses + Electronic addresses Elektroniske adresser - Do you really want to delete + Do you really want to delete Er du sikker på, at du vil slette - Yes, delete electronic address + Yes, delete electronic address Ja, slet den elektroniske adresse - Click to add a new Electronic address + Click to add a new Electronic address Klik for at tilføje en ny elektronisk adresse - Add electronic address + Add electronic address Tilføj elektronisk adresse - Save User + Save User Gem bruger - Edit User + Edit User Rediger bruger - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Opdater - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Rediger bruger - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/el/Modules.xlf b/Neos.Neos/Resources/Private/Translations/el/Modules.xlf index 7244c2cc9fa..b48b133c405 100644 --- a/Neos.Neos/Resources/Private/Translations/el/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/el/Modules.xlf @@ -3,159 +3,206 @@ - Back - Επιστροφή + Back + Επιστροφή + - Cancel - Άκυρο + Cancel + Άκυρο + - Management - Διαχείριση + Management + Διαχείριση + - Contains multiple modules related to management of content - Contains multiple modules related to management of content + Contains multiple modules related to management of content + Contains multiple modules related to management of content + - Workspaces - Workspaces + Workspaces + Workspaces + - Details for "{0}" - Λεπτομέρειες για "{0}" + Details for "{0}" + Λεπτομέρειες για "{0}" + - Create new workspace - Create new workspace + Create new workspace + Create new workspace + - Create workspace - Create workspace + Create workspace + Create workspace + - Delete workspace - Delete workspace + Delete workspace + Delete workspace + - Edit workspace - Edit workspace + Edit workspace + Edit workspace + - Yes, delete the workspace - Yes, delete the workspace + Yes, delete the workspace + Yes, delete the workspace + - Edit workspace "{0}" - Edit workspace + Edit workspace "{0}" + Edit workspace + - Personal workspace - Personal workspace + Personal workspace + Personal workspace + - Private workspace - Private workspace + Private workspace + Private workspace + - Internal workspace - Internal workspace + Internal workspace + Internal workspace + - Read-only workspace - Read-only workspace + Read-only workspace + Read-only workspace + - Title - Τίτλος + Title + Τίτλος + - Description - Description + Description + Description + - Base workspace - Base workspace + Base workspace + Base workspace + - Owner - Ιδιοκτήτης + Owner + Ιδιοκτήτης + - Visibility - Ορατότητα + Visibility + Ορατότητα + - Private - Ιδιωτικό + Private + Ιδιωτικό + - Only reviewers and administrators can access and modify this workspace - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace + - Internal - Εσωτερικό + Internal + Εσωτερικό + - Any logged in editor can see and modify this workspace. - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. + - Changes - Αλλαγές + Changes + Αλλαγές + - Open page in "{0}" workspace - Open page in "{0}" workspace + Open page in "{0}" workspace + Open page in "{0}" workspace + - This is your personal workspace which you can't delete. - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. + - The workspace contains changes. To delete, discard the changes first. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. + - Workspace can't be rebased on a different workspace because it still contains changes. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. + - The workspace cannot be deleted because other workspaces depend on it. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. + - You don't have the permissions for deleting this workspace. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. + - Do you really want to delete the workspace "{0}"? - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? + - This will delete the workspace including all unpublished content. This operation cannot be undone. - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. + - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + - Unpublished changes in workspace "{0}" - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" + - additions: {new}, changes: {changed}, removals: {removed} - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} + - Review - Επισκόπηση + Review + Επισκόπηση + - Discard selected changes - Discard selected changes - - Publish selected changes - Publish selected changes + Discard selected changes + Discard selected changes + - Discard all changes - Discard all changes + Discard all changes + Discard all changes + - Publish all changes - Publish all changes + Publish all changes + Publish all changes + - Publish all changes to {0} - Publish all changes to {0} + Publish all changes to {0} + Publish all changes to {0} + - Changed Content - Τροποποιημένο Περιεχόμενο + Changed Content + Τροποποιημένο Περιεχόμενο + - deleted - διαγράφηκε + deleted + διαγράφηκε + - created - δημιουργήθηκε + created + δημιουργήθηκε + - moved - μετακινήθηκε + moved + μετακινήθηκε + - hidden - κρυφό + hidden + κρυφό + - edited - διορθώθηκε + edited + διορθώθηκε + - There are no unpublished changes in this workspace. - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. + - Do you really want to discard all changes in the "{0}" workspace? - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? + A workspace with this title already exists. A workspace with this title already exists. @@ -215,779 +262,1031 @@ All changes from workspace "{0}" have been discarded. - History - History + History + History + - This module provides an overview of all relevant events affecting this Neos installation. - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. + - Here's what happened recently in Neos - Here's what happened recently in Neos + Here's what happened recently in Neos + Here's what happened recently in Neos + - There have not been recorded any events yet which could be displayed in this history. - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. + - {0} created the {1} "{2}". - {0} created the {1} "{2}". + {0} created the {1} "{2}". + {0} created the {1} "{2}". + - {0} removed the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". + {0} removed the {1} "{2}". + - {0} created the variant {1} of the {2} "{3}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". + - {0} modified the {1} "{2}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". + {0} modified the {1} "{2}". + - {0} moved the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". + {0} moved the {1} "{2}". + - {0} copied the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". + {0} copied the {1} "{2}". + - {0} renamed the {1} "{2}" to "{3}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". + - {0} modified content on the {1} "{2}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". + - {0} created a new user "{1}" for {2}. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. + - {0} deleted the account "{1}" of {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. + - Load More - Load More + Load More + Load More + - This node has been removed in the meantime - This node has been removed in the meantime + This node has been removed in the meantime + This node has been removed in the meantime + - Administration - Administration + Administration + Administration + - Contains multiple modules related to administration - Contains multiple modules related to administration + Contains multiple modules related to administration + Contains multiple modules related to administration + - User Management - User Management + User Management + User Management + - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + - Overview - Overview + Overview + Overview + - Show - Show + Show + Show + - New - New + New + New + - Edit - Επεξεργασία + Edit + Επεξεργασία + - Edit account - Edit account + Edit account + Edit account + - New electronic address - New electronic address + New electronic address + New electronic address + - Use system default - Use system default + Use system default + Use system default + - Create user - Create user + Create user + Create user + - Create a new user - Create a new user + Create a new user + Create a new user + - User Data - User Data + User Data + User Data + - Username - Username + Username + Username + - Password - Κωδικός + Password + Κωδικός + - Repeat password - Repeat password + Repeat password + Repeat password + - Role(s) - Role(s) + Role(s) + Role(s) + - Authentication Provider - Authentication Provider + Authentication Provider + Authentication Provider + - Use system default - Use system default + Use system default + Use system default + - Personal Data - Personal Data + Personal Data + Personal Data + - First Name - Όνομα + First Name + Όνομα + - Last Name - Επώνυμο + Last Name + Επώνυμο + - User Preferences - User Preferences + User Preferences + User Preferences + - Interface Language - Interface Language + Interface Language + Interface Language + - Create user - Create user + Create user + Create user + - Details for user - Details for user + Details for user + Details for user + - Personal Data - Personal Data + Personal Data + Personal Data + - Title - Τίτλος + Title + Τίτλος + - First Name - Όνομα + First Name + Όνομα + - Middle Name - Μεσαίο όνομα + Middle Name + Μεσαίο όνομα + - Last Name - Επώνυμο + Last Name + Επώνυμο + - Other Name - Άλλο όνομα + Other Name + Άλλο όνομα + - Accounts - Accounts + Accounts + Accounts + - Username - Username + Username + Username + - Roles - Roles + Roles + Roles + - Electronic Addresses - Electronic Addresses + Electronic Addresses + Electronic Addresses + - Primary - Κύριο + Primary + Κύριο + - N/A - N/A + N/A + N/A + - Delete User - Delete User + Delete User + Delete User + - Edit User - Edit User + Edit User + Edit User + - You are logged in as this user and you cannot delete yourself. - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + - Click here to delete this user - Click here to delete this user + Click here to delete this user + Click here to delete this user + - Do you really want to delete the user "{0}"? - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + - Yes, delete the user - Yes, delete the user + Yes, delete the user + Yes, delete the user + - This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + - This operation cannot be undone - This operation cannot be undone + This operation cannot be undone + This operation cannot be undone + - Edit account "{accountIdentifier}" - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" + - Account - Account + Account + Account + - Username - Username + Username + Username + - The username can't be changed via the user interface - The username can't be changed via the user interface + The username can't be changed via the user interface + The username can't be changed via the user interface + - Save account - Save account + Save account + Save account + - Repeat password - Repeat password + Repeat password + Repeat password + - Roles - Roles + Roles + Roles + - Directly assigned privilege - Directly assigned privilege + Directly assigned privilege + Directly assigned privilege + - Name - Name + Name + Name + - From Parent Role "{role}" - From Parent Role "{role}" + From Parent Role "{role}" + From Parent Role "{role}" + - Accounts and Roles - Accounts and Roles + Accounts and Roles + Accounts and Roles + - View user - View user + View user + View user + - Edit user - Edit user + Edit user + Edit user + - Not enough privileges to edit this user - Not enough privileges to edit this user + Not enough privileges to edit this user + Not enough privileges to edit this user + - Not enough privileges to delete this user - Not enough privileges to delete this user + Not enough privileges to delete this user + Not enough privileges to delete this user + - Delete user - Delete user + Delete user + Delete user + - You are logged in as this user and you cannot delete yourself. - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + - Do you really want to delete the user "{0}"? - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + - This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + - Yes, delete the user - Yes, delete the user + Yes, delete the user + Yes, delete the user + - Edit user "{0}" - Edit user "{0}" + Edit user "{0}" + Edit user "{0}" + - Home - Home + Home + Home + - Work - Work + Work + Work + - Package Management - Package Management + Package Management + Package Management + - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + - Available packages - Available packages + Available packages + Available packages + - Package Name - Package Name + Package Name + Package Name + - Package Key - Package Key + Package Key + Package Key + - Package Type - Package Type + Package Type + Package Type + - Deactivated - Deactivated + Deactivated + Deactivated + - This package is currently frozen. Click to unfreeze it. - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. + - Freeze the package in order to speed up your website. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. + - This package is protected and cannot be deactivated. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. + - Deactivate Package - Deactivate Package + Deactivate Package + Deactivate Package + - Activate Package - Activate Package + Activate Package + Activate Package + - This package is protected and cannot be deleted. - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. + This package is protected and cannot be deleted. + - Delete Package - Delete Package + Delete Package + Delete Package + - Do you really want to delete "{0}"? - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? + Do you really want to delete "{0}"? + - Yes, delete the package - Yes, delete the package + Yes, delete the package + Yes, delete the package + - Yes, delete the packages - Yes, delete the packages + Yes, delete the packages + Yes, delete the packages + - Do you really want to delete the selected packages? - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? + Do you really want to delete the selected packages? + - Freeze selected packages - Freeze selected packages + Freeze selected packages + Freeze selected packages + - Unfreeze selected packages - Unfreeze selected packages + Unfreeze selected packages + Unfreeze selected packages + - Delete selected packages - Delete selected packages + Delete selected packages + Delete selected packages + - Deactivate selected packages - Deactivate selected packages + Deactivate selected packages + Deactivate selected packages + - Activate selected packages - Activate selected packages + Activate selected packages + Activate selected packages + - Sites Management - Sites Management + Sites Management + Sites Management + - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + - Add new site - Add new site + Add new site + Add new site + - Create site - Create site + Create site + Create site + - Create a new site - Create a new site + Create a new site + Create a new site + - Root node name - Root node name + Root node name + Root node name + - Domains - Domains + Domains + Domains + - Site - Site + Site + Site + - Name - Name + Name + Name + - Default asset collection - Default asset collection + Default asset collection + Default asset collection + - Site package - Site package + Site package + Site package + - Delete this site - Delete this site + Delete this site + Delete this site + - Deactivate site - Deactivate site + Deactivate site + Deactivate site + - Activate site - Activate site + Activate site + Activate site + - Do you really want to delete "{0}"? This action cannot be undone. - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + - Yes, delete the site - Yes, delete the site + Yes, delete the site + Yes, delete the site + - Import a site - Import a site + Import a site + Import a site + - Select a site package - Select a site package + Select a site package + Select a site package + - No site packages are available. Make sure you have an active site package. - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. + - Create a blank site - Create a blank site + Create a blank site + Create a blank site + - Select a document nodeType - Select a document nodeType + Select a document nodeType + Select a document nodeType + - Select a site generator - Select a site generator + Select a site generator + Select a site generator + - Site name - Site name + Site name + Site name + - Create empty site - Create empty site + Create empty site + Create empty site + - Create a new site package - Create a new site package + Create a new site package + Create a new site package + - VendorName.MyPackageKey - VendorName.MyPackageKey + VendorName.MyPackageKey + VendorName.MyPackageKey + - No sites available - No sites available + No sites available + No sites available + - The Neos Kickstarter package is not installed, install it to kickstart new sites. - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + - New site - New site + New site + New site + - Do you really want to delete "{0}"? This action cannot be undone. - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + - New domain - New domain + New domain + New domain + - Edit domain - Edit domain + Edit domain + Edit domain + - Domain data - Domain data + Domain data + Domain data + - e.g. www.neos.io - e.g. www.neos.io + e.g. www.neos.io + e.g. www.neos.io + - State - State + State + State + - Create - Create + Create + Create + - Configuration - Configuration + Configuration + Configuration + - The Configuration module provides you with an overview of all configuration types. - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. + - Dimensions - Dimensions + Dimensions + Dimensions + - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + - Inter dimensional fallback graph - Inter dimensional fallback graph + Inter dimensional fallback graph + Inter dimensional fallback graph + - Inter dimensional - Inter dimensional + Inter dimensional + Inter dimensional + - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. -Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. +Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. + - Intra dimensional fallback graph - Intra dimensional fallback graph + Intra dimensional fallback graph + Intra dimensional fallback graph + - Intra dimensional - Intra dimensional + Intra dimensional + Intra dimensional + - The intra dimensional fallback graph displays fallbacks within each content dimension. - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. + - User - User + User + User + - User Settings - User Settings + User Settings + User Settings + - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + - Edit - Επεξεργασία + Edit + Επεξεργασία + - Edit - Επεξεργασία + Edit + Επεξεργασία + - New electronic address - New electronic address + New electronic address + New electronic address + - Edit account - Edit account + Edit account + Edit account + - Personal Data - Personal Data + Personal Data + Personal Data + - User Data - User Data + User Data + User Data + - User Menu - User Menu + User Menu + User Menu + - User Preferences - User Preferences + User Preferences + User Preferences + - Interface Language - Interface Language + Interface Language + Interface Language + - Use system default - Use system default + Use system default + Use system default + - Accounts - Accounts + Accounts + Accounts + - Username - Username + Username + Username + - Roles - Roles + Roles + Roles + - Authentication Provider - Authentication Provider + Authentication Provider + Authentication Provider + - Electronic addresses - Electronic addresses + Electronic addresses + Electronic addresses + - Do you really want to delete - Do you really want to delete + Do you really want to delete + Do you really want to delete + - Yes, delete electronic address - Yes, delete electronic address + Yes, delete electronic address + Yes, delete electronic address + - Click to add a new Electronic address - Click to add a new Electronic address + Click to add a new Electronic address + Click to add a new Electronic address + - Add electronic address - Add electronic address + Add electronic address + Add electronic address + - Save User - Save User + Save User + Save User + - Edit User - Edit User + Edit User + Edit User + - An error occurred during validation of the configuration. - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. + An error occurred during validation of the configuration. + - Configuration type not found. - Configuration type not found. + Configuration type not found. + Configuration type not found. + - Site package not found - Site package not found + Site package not found + Site package not found + - The site package with key "{0}" was not found. - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. + The site package with key "{0}" was not found. + - Update - Ενημέρωση + Update + Ενημέρωση + - The site "{0}" has been updated. - The site "{0}" has been updated. + The site "{0}" has been updated. + The site "{0}" has been updated. + - Missing Package - Missing Package + Missing Package + Missing Package + - The package "{0}" is required to create new site packages. - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. + - Invalid package key - Invalid package key + Invalid package key + Invalid package key + - Site Packages {0} was created. - Site Packages {0} was created. + Site Packages {0} was created. + Site Packages {0} was created. + - The package key "{0}" already exists. - The package key "{0}" already exists. + The package key "{0}" already exists. + The package key "{0}" already exists. + - The site has been imported. - The site has been imported. + The site has been imported. + The site has been imported. + - Import error - Import error + Import error + Import error + - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: A site with siteNodeName "{0}" already exists - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: The given node type "{0}" was not found - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: The given node type "%s" is not based on the superType "{0}" - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" + - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + - Site deleted - Site deleted + Site deleted + Site deleted + - The site "{0}" has been deleted. - The site "{0}" has been deleted. + The site "{0}" has been deleted. + The site "{0}" has been deleted. + - Site activated - Site activated + Site activated + Site activated + - The site "{0}" has been activated. - The site "{0}" has been activated. + The site "{0}" has been activated. + The site "{0}" has been activated. + - Site deactivated - Site deactivated + Site deactivated + Site deactivated + - The site "{0}" has been deactivated. - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. + The site "{0}" has been deactivated. + - Domain updated - Domain updated + Domain updated + Domain updated + - The domain "{0}" has been updated. - The domain "{0}" has been updated. + The domain "{0}" has been updated. + The domain "{0}" has been updated. + - Domain created - Domain created + Domain created + Domain created + - 'The domain "{0}" has been created.' - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' + - Domain deleted - Domain deleted + Domain deleted + Domain deleted + - The domain "{0}" has been deleted. - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. + The domain "{0}" has been deleted. + - Domain activated - Domain activated + Domain activated + Domain activated + - The domain "{0}" has been activated. - The domain "{0}" has been activated. + The domain "{0}" has been activated. + The domain "{0}" has been activated. + - Domain deactivated - Domain deactivated + Domain deactivated + Domain deactivated + - The domain "{0}" has been deactivated. - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. + - User created - User created + User created + User created + - The user "{0}" has been created. - The user "{0}" has been created. + The user "{0}" has been created. + The user "{0}" has been created. + - User creation denied - User creation denied + User creation denied + User creation denied + - You are not allowed to create a user with roles "{0}". - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". + - Unable to create user. + Unable to create user. Unable to create user. - User editing denied - User editing denied + User editing denied + User editing denied + - Not allowed to edit the user "{0}". - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". + - User updated - User updated + User updated + User updated + - The user "{0}" has been updated. - The user "{0}" has been updated. + The user "{0}" has been updated. + The user "{0}" has been updated. + - User editing denied - User editing denied + User editing denied + User editing denied + - Not allowed to delete the user "{0}". - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". + - Current user cannot be deleted - Current user cannot be deleted + Current user cannot be deleted + Current user cannot be deleted + - You cannot delete the currently logged in user - You cannot delete the currently logged in user + You cannot delete the currently logged in user + You cannot delete the currently logged in user + - User deleted - User deleted + User deleted + User deleted + - The user "{0}" has been deleted. - The user "{0}" has been deleted. + The user "{0}" has been deleted. + The user "{0}" has been deleted. + - User account editing denied - User account editing denied + User account editing denied + User account editing denied + - Not allowed to edit the account for the user "{0}". - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". + - Don\'t lock yourself out - Don\'t lock yourself out + Don\'t lock yourself out + Don\'t lock yourself out + - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + - Account updated - Account updated + Account updated + Account updated + - The account has been updated. - The account has been updated. + The account has been updated. + The account has been updated. + - User email editing denied - User email editing denied + User email editing denied + User email editing denied + - Not allowed to create an electronic address for the user "{0}". - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". + - Electronic address added - Electronic address added + Electronic address added + Electronic address added + - An electronic address "{0}" ({1}) has been added. - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + - User email deletion denied - User email deletion denied + User email deletion denied + User email deletion denied + - Not allowed to delete an electronic address for the user "{0}". - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". + - Electronic address removed - Electronic address removed + Electronic address removed + Electronic address removed + - The electronic address "{0}" ({1}) has been deleted for "{2}". - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + - User updated - User updated + User updated + User updated + - Your user has been updated. - Your user has been updated. + Your user has been updated. + Your user has been updated. + - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated - Password updated + Password updated + Password updated + - The password has been updated. - The password has been updated. + The password has been updated. + The password has been updated. + - Edit User - Edit User + Edit User + Edit User + - An electronic address "{0}" ({1}) has been added. - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + - Electronic address removed - Electronic address removed + Electronic address removed + Electronic address removed + - The electronic address "{0}" ({1}) has been deleted for "{2}". - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + diff --git a/Neos.Neos/Resources/Private/Translations/es/Modules.xlf b/Neos.Neos/Resources/Private/Translations/es/Modules.xlf index d4f2730f694..99ed7b1d3f8 100644 --- a/Neos.Neos/Resources/Private/Translations/es/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/es/Modules.xlf @@ -159,10 +159,6 @@ Discard selected changes Descartar los cambios seleccionados - - Publish selected changes - Publicar cambios seleccionados - Discard all changes Descartar todos los cambios diff --git a/Neos.Neos/Resources/Private/Translations/fi/Modules.xlf b/Neos.Neos/Resources/Private/Translations/fi/Modules.xlf index 2ef516838ce..415f2d27ab9 100644 --- a/Neos.Neos/Resources/Private/Translations/fi/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/fi/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Takaisin - Cancel + Cancel Peruuta - Management + Management Hallinta - Contains multiple modules related to management of content + Contains multiple modules related to management of content Sisältää useita sisällön hallintaan liittyviä moduuleja - Workspaces + Workspaces Työtilat - Details for "{0}" + Details for "{0}" "{0}":n tiedot - Create new workspace + Create new workspace Luo uusi työtila - Create workspace + Create workspace Luo työtila - Delete workspace + Delete workspace Poista työtila - Edit workspace + Edit workspace Muokkaa työtilaa - Yes, delete the workspace + Yes, delete the workspace Kyllä, poista työtila - Edit workspace "{0}" + Edit workspace "{0}" Muokkaa työtilaa - Personal workspace + Personal workspace Henkilökohtainen työtila - Private workspace + Private workspace Yksityinen työtila - Internal workspace + Internal workspace Sisäinen työtila - Read-only workspace + Read-only workspace Vain luku-työtila - Title + Title Otsikko - Description + Description Kuvaus - Base workspace + Base workspace Päätyötila - Owner + Owner Omistaja - Visibility + Visibility Näkyvyys - Private + Private Yksityinen - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Ainoastaan arvioijat ja pääkäyttäjät voivat käyttää ja muokata tätä työtilaa - Internal + Internal Sisäinen - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Kaikki sisäänkirjautuneet julkaisijat näkevät tämän työtilan ja voivat muokata sitä. - Changes + Changes Muutokset - Open page in "{0}" workspace + Open page in "{0}" workspace Avaa sivu "{0}" työtilassa - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Tämä on henkilökohtainen työtilasi, jota et voi poistaa. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Työtila sisältää muutoksia. Jos haluat poistaa sen, hylkää muutokset ensin. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Työtilaa ei voida asettaa pohjautumaan toiseen työtilaan, koska se sisältää muutoksia. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Työtilaa ei voida poistaa, koska on muita työtiloja jotka pohjautuvat siihen. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Sinulla ei ole riittävästi oikeuksia poistaa tätä työtilaa. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Haluatko todella poistaa työtilan "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Tämä poistaa työtilan ja kaiken sen julkaisemattoman sisällön. Tätä toimintoa ei voi peruuttaa. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Tämä moduuli sisältää näkymän kaikista elementeistä nykyisessä työtilassa ja mahdollistaa niiden julkaisuprosessin tarkastelun. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Julkaisematomat muutokset - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} lisäykset: {new}, muutokset: {changed}, poistot: {removed} - Review + Review Arviointi - Discard selected changes + Discard selected changes Hylkää valitut muutokset - - Publish selected changes - Julkaise valitut muutokset - - Discard all changes + Discard all changes Hylkää kaikki muutokset - Publish all changes + Publish all changes Julkaise kaikki muutokset - Publish all changes to {0} + Publish all changes to {0} Julkaise kaikki muutokset kohteeseen {0} - Changed Content + Changed Content Muuttunut sisältö - deleted + deleted poistettu - created + created luotu - moved + moved luotu - hidden + hidden luotu - edited + edited luotu - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Tässä työtilassa ei ole julkaisemattomia muutoksia. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Halutako varmasti hylätä kaikki muutokset työtilassa "{0}"? @@ -266,612 +262,612 @@ Kaikki työtilan "{0}" muutokset on hylätty. - History + History Historia - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Tämä moduuli näyttää kaikki tämän Neos-asennuksen tapahtumat. - Here's what happened recently in Neos + Here's what happened recently in Neos Neosin viimeisimmät tapahtumat - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Historiassa ei vielä ole tapahtumia. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} loi {1} {2}. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} poisti {1} {2}. - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} loi muunnoksen {1} {2} {3}:sta. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} muokkasi {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} siirsi {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} kopioi {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} nimesi {1} "{2}" uudelleen "{3}":ksi. - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} muokkasi sisältöä {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} loi uuden käyttäjän "{1}" {2}:lle. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} poisti tilin "{1}" {2}:sta. - Load More + Load More Lataa lisää - This node has been removed in the meantime + This node has been removed in the meantime Solmu on poistettu - Administration + Administration Ylläpito - Contains multiple modules related to administration + Contains multiple modules related to administration Sisältää useita hallintamoduuleita - User Management + User Management Käyttäjähallinta - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Käyttäjähalinta-moduuli näyttää kaikki hallintakäyttäliittymän käyttäjät. Voit ryhmitellä käyttäjät ominaisuuksien mukaan ja hallita käyttäjien oikeuksia, tiedostoliitäntöjä, ryhmäjäsenyyksiä jne... Tämä moduuli on tärkeä työkalu sen varmistamiseksi että käyttäjät on märitelty oikein. - Overview + Overview Yhteenveto - Show + Show Näytä - New + New Uusi - Edit + Edit Muokkaa - Edit account + Edit account Muokkaa tiliä - New electronic address + New electronic address Uusi sähköpostiosoite - Use system default + Use system default Käytä järjestelmän oletusta - Create user + Create user Luo käyttäjä - Create a new user + Create a new user Luo uusi käyttäjä - User Data + User Data Käyttäjätiedot - Username + Username Käyttäjätunnus - Password + Password Salasana - Repeat password + Repeat password Toista salasana - Role(s) + Role(s) Rooli(t) - Authentication Provider + Authentication Provider Tunnistaumispalvelu - Use system default + Use system default Käytä järjestelmän oletusta - Personal Data + Personal Data Henkilötiedot - First Name + First Name Etunimi - Last Name + Last Name Sukunimi - User Preferences + User Preferences Käyttäjäasetukset - Interface Language + Interface Language Käyttöliittymän kieli - Create user + Create user Luo käyttäjä - Details for user + Details for user Käyttäjän tiedot - Personal Data + Personal Data Henkilötiedot - Title + Title Otsikko - First Name + First Name Etunimi - Middle Name + Middle Name Toinen nimi - Last Name + Last Name Sukunimi - Other Name + Other Name Muu nimi - Accounts + Accounts Tilit - Username + Username Käyttäjätunnus - Roles + Roles Roolit - Electronic Addresses + Electronic Addresses Sähköiset osoitteet - Primary + Primary Ensisijainen - N/A + N/A Ei saatavilla - Delete User + Delete User Poista käyttäjä - Edit User + Edit User Muokkaa käyttäjää - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Et voi poistaa käyttäjää jolla olet kirjautuneena. - Click here to delete this user + Click here to delete this user Klikkaa tästä poistaaksesi käyttäjän - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Haluatko varmasti poistaa käyttäjän "{0}"? - Yes, delete the user + Yes, delete the user Kyllä, poista käyttäjä - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Tämä poistaa käyttäjän, käyttäjään liitetyt tilit ja työtilat, mukaanlukien työtilojen kaikki julkaisematon sisältö. - This operation cannot be undone + This operation cannot be undone Tätä toimintoa ei voi kumota - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Muokkaa tiliä "{accountIdentifier}" - Account + Account Tili - Username + Username Käyttäjätunnus - The username can't be changed via the user interface + The username can't be changed via the user interface Käyttäjätunnusta ei voi muuttaa käyttäjähallinnan kautta - Save account + Save account Tallenna tili - Repeat password + Repeat password Toista salasana - Roles + Roles Roolit - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nimi - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Tilit ja roolit - View user + View user Näytä käyttäjä - Edit user + Edit user Muokkaa käyttäjää - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Poista käyttäjä - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Et voi poistaa käyttäjää jolla olet kirjautuneena. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Haluatko varmasti poistaa käyttäjän "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Tämä poistaa käyttäjän, käyttäjään liitetyt tilit ja työtilat, mukaanlukien työtilojen kaikki julkaisematon sisältö. - Yes, delete the user + Yes, delete the user Kyllä, poista käyttäjä - Edit user "{0}" + Edit user "{0}" Muokkaa käyttäjää "{0}" - Home + Home Koti - Work + Work Työ - Package Management + Package Management Pakettien hallinta - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Paketinhallinta-moduuli sisältää yhteenvedon kaikista paketeista. Voit aktivoida ja deaktivoida yksittäisiä paketteja, tuoda uusia paketteja ja poistaa olemassaolevia paketteja. Se mahdollistaa myös pakettien lukituksen hallinnan kehityskontekstissa. - Available packages + Available packages Saatavilla olevat paketit - Package Name + Package Name Paketin nimi - Package Key + Package Key Paketin avain - Package Type + Package Type Paketin tyyppi - Deactivated + Deactivated Poistettu käytöstä - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Tämä paketti on tällä hetkellä jäädytetty. Klikkaa vapauttaaksesi se. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Jäädytä paketti nopeuttaaksesi sivustoa. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Tämä paketti on suojattu ja sitä ei voi poistaa käytöstä. - Deactivate Package + Deactivate Package Poista paketti käytöstä - Activate Package + Activate Package Ota paketti käyttöön - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Tämä paketti on suojattu ja sitä ei voi poistaa. - Delete Package + Delete Package Poista paketti - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Haluatko todella poistaa "{0}"? - Yes, delete the package + Yes, delete the package Kyllä, poista paketti - Yes, delete the packages + Yes, delete the packages Kyllä, poista paketit - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Haluatko todella poistaa valitut paketit? - Freeze selected packages + Freeze selected packages Jäädytä valitut paketit - Unfreeze selected packages + Unfreeze selected packages Vapauta valitut paketit - Delete selected packages + Delete selected packages Poista valitut paketit - Deactivate selected packages + Deactivate selected packages Poista käytöstä valitut paketit - Activate selected packages + Activate selected packages Ota käyttöön valitut paketit - Sites Management + Sites Management Sivustojen hallinta - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Sivustojen hallinta-moduulin avulla voit lisätä, muokata ja poistaa sivustoja ja niiden tietoja, esimerkiksi lisätä uuden verkkotunnuksen. - Add new site + Add new site Add new site - Create site + Create site Luo sivusto - Create a new site + Create a new site Luo uusi sivusto - Root node name + Root node name Root node name - Domains + Domains Domains - Site + Site Sivusto - Name + Name Nimi - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration Asetukset - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Asetukset-moduli näyttää yleiskatsauksen kaikista asetustyypeistä. - Dimensions + Dimensions Ulottuvuudet - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Käyttäjä - User Settings + User Settings Käyttäjäasetukset - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Tämän moduulin avulla voit muokata käyttäjäprofiilisi tietoja. Voit vaihtaa järjestelmän kielen, nimesi ja sähköpostiosoitteesi. Voit myös muokata muita järjestelmän yleisiä asetuksia. - Edit + Edit Muokkaa - Edit + Edit Muokkaa - New electronic address + New electronic address Uusi sähköpostiosoite - Edit account + Edit account Muokkaa tiliä - Personal Data + Personal Data Henkilötiedot - User Data + User Data Käyttäjätiedot - User Menu + User Menu Käyttäjävalikko - User Preferences + User Preferences Käyttäjäasetukset - Interface Language + Interface Language Käyttöliittymän kieli - Use system default + Use system default Käytä järjestelmän oletusta - Accounts + Accounts Tilit - Username + Username Käyttäjätunnus - Roles + Roles Roolit - Authentication Provider + Authentication Provider Tunnistaumispalvelu - Electronic addresses + Electronic addresses Sähköiset osoitteet - Do you really want to delete + Do you really want to delete Haluatko varmasti poistaa - Yes, delete electronic address + Yes, delete electronic address Kyllä, poista osoite - Click to add a new Electronic address + Click to add a new Electronic address Klikkaa lisätäksesi uusi osoite - Add electronic address + Add electronic address Lisää sähköinen osoite - Save User + Save User Tallenna käyttäjä - Edit User + Edit User Muokkaa käyttäjää - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Päivitä - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Muokkaa käyttäjää - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/fr/Modules.xlf b/Neos.Neos/Resources/Private/Translations/fr/Modules.xlf index 316916dbab9..0438266cec9 100644 --- a/Neos.Neos/Resources/Private/Translations/fr/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/fr/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Retour - Cancel + Cancel Annuler - Management + Management Gestion - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contient plusieurs modules liés à la gestion de contenu - Workspaces + Workspaces Espaces de travail - Details for "{0}" + Details for "{0}" Détails pour «{0} » - Create new workspace + Create new workspace Créer un nouvel espace de travail - Create workspace + Create workspace Créer l'espace de travail - Delete workspace + Delete workspace Supprimer l'espace de travail - Edit workspace + Edit workspace Modifier l'espace de travail - Yes, delete the workspace + Yes, delete the workspace Oui, supprimer l'espace de travail - Edit workspace "{0}" + Edit workspace "{0}" Modifier l'espace de travail - Personal workspace + Personal workspace Espace de travail personnel - Private workspace + Private workspace Espace de travail privé - Internal workspace + Internal workspace Espace de travail interne - Read-only workspace + Read-only workspace Espace de travail en lecture seule - Title + Title Titre - Description + Description Description - Base workspace + Base workspace Espace de travail de base - Owner + Owner Propriétaire - Visibility + Visibility Visibilité - Private + Private Privé - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Seulement les relecteurs et les administrateurs peuvent accéder et modifier cet espace de travail - Internal + Internal Interne - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. N'importe quel éditeur connecté peut voir et modifier cet espace de travail. - Changes + Changes Changements - Open page in "{0}" workspace + Open page in "{0}" workspace Ouvrir la page dans l'espace de travail "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Il s'agit de votre espace de travail personnel que vous ne pouvez pas supprimer. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. L'espace de travail contient des modifications. Pour supprimer, ignorer tout d'abord les modifications. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Espace de travail ne peut pas être redéfinie sur un espace de travail différent, car il contient encore des changements. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. L'espace de travail ne peut pas être supprimé car d'autres espaces de travail en dépendent. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Vous n'avez pas les autorisations pour la suppression de cet espace de travail. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Voulez-vous vraiment supprimer l'espace de travail « {0} » ? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Cela va supprimer l'espace de travail y compris les contenus non publiés. Cette opération ne peut pas être annulée. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Ce module contient une vue d'ensemble de tous les éléments dans l'espace de travail actuel et vous permet de poursuivre le travail de révision et de publication. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Modifications non publiées - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} ajouts: {new}, changements: {changed}, suppressions: {removed} - Review + Review Relire - Discard selected changes + Discard selected changes Ignorer les modifications sélectionnées - - Publish selected changes - Publier les modifications sélectionnées - - Discard all changes + Discard all changes Ignorer toutes les modifications - Publish all changes + Publish all changes Publier toutes les modifications - Publish all changes to {0} + Publish all changes to {0} Publier toutes les modifications vers {0} - Changed Content + Changed Content Contenu modifié - deleted + deleted supprimé - created + created créé - moved + moved déplacé - hidden + hidden caché - edited + edited édité - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Il n'y a aucun changement non publié dans cet espace de travail. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Souhaitez-vous réellement annuler tous les changements dans l'espace de travail "{0}", vous ne pourrez pas annuler cette opération? @@ -266,612 +262,612 @@ Toutes les modifications d'espace de travail « {0} » ont été ignorées. - History + History Historique - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Ce module donne un aperçu de tous les événements pertinents qui touchent votre site. - Here's what happened recently in Neos + Here's what happened recently in Neos Voici ce qui s'est passé récemment dans Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Aucun événement n'a été enregistré qui peut être affiché dans le module d'historique. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} a créé le {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} a supprimé le {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} a créé la variante {1} de {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} a modifié la {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} a déplacé {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} a copié le {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} a renommé le {1} "{2}" en "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} a modifié le contenu de {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} a créé un nouvel utilisateur "{1}" pour {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} a supprimé un utilisateur "{1}" de {2}. - Load More + Load More Plus de résultats - This node has been removed in the meantime + This node has been removed in the meantime Ce nœud a été supprimé dans l'intervalle - Administration + Administration Administration - Contains multiple modules related to administration + Contains multiple modules related to administration Contient plusieurs modules associés à l'administration - User Management + User Management Gestion des utilisateurs - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Le module de gestion des utilisateurs vous donne un aperçu de tous les utilisateurs backend. Vous pouvez les regrouper par leurs propriétés, afin de pouvoir avoir une vue d'ensemble sur leurs autorisations, points de montage de fichiers, appartenance aux groupes etc... Ce module est un outil indispensable afin de s'assurer que les utilisateurs sont correctement configurés. - Overview + Overview Apercu - Show + Show Afficher - New + New Nouveau - Edit + Edit Edition - Edit account + Edit account Edité le profile - New electronic address + New electronic address Nouvelle adresse électronique - Use system default + Use system default Utiliser les paramètres par défaut - Create user + Create user Créer un utilisateur - Create a new user + Create a new user Créer un nouvel utilisateur - User Data + User Data Données utilisateur - Username + Username Nom d'utilisateur - Password + Password Mot de passe - Repeat password + Repeat password Répéter votre mot de passe - Role(s) + Role(s) Rôle(s) - Authentication Provider + Authentication Provider Fournisseur d'authentification - Use system default + Use system default Utiliser les paramètres par défaut - Personal Data + Personal Data Données personnelles - First Name + First Name Prénom - Last Name + Last Name Nom - User Preferences + User Preferences Préférences utilisateur - Interface Language + Interface Language Langue de l'interface - Create user + Create user Créer un utilisateur - Details for user + Details for user Détails de l'utilisateur - Personal Data + Personal Data Données personnelles - Title + Title Titre - First Name + First Name Prénom - Middle Name + Middle Name Deuxième prénom - Last Name + Last Name Nom - Other Name + Other Name Autre nom - Accounts + Accounts Comptes - Username + Username Nom d'utilisateur - Roles + Roles Rôles - Electronic Addresses + Electronic Addresses Adresses électroniques - Primary + Primary Principal - N/A + N/A Non disponible - Delete User + Delete User Supprimer l'utilisateur - Edit User + Edit User Editer l'utilisateur - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Vous êtes connecté en tant que cet utilisateur et vous ne pouvez pas supprimer vous-même. - Click here to delete this user + Click here to delete this user Cliquez ici pour supprimer cet utilisateur - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Voulez-vous réellement supprimer le Job "{0}"? - Yes, delete the user + Yes, delete the user Oui, supprimer l'utilisateur - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ceci supprimera l'utilisateur, les comptes connexes et son espace de travail personnel, y compris les contenus non publiés. - This operation cannot be undone + This operation cannot be undone Cette opération ne peut ptre annulée - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Modifier le compte «{accountIdentifier} » - Account + Account Compte - Username + Username Nom d'utilisateur - The username can't be changed via the user interface + The username can't be changed via the user interface Le nom d'utilisateur n'est pas modifiable par l'intermédiaire de l'interface utilisateur - Save account + Save account Enregistrer un compte - Repeat password + Repeat password Répéter votre mot de passe - Roles + Roles Rôles - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nom - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Comptes et Rôles - View user + View user Voir le profil - Edit user + Edit user Éditer cet utilisateur - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Supprimer cet utilisateur - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Vous êtes connecté en tant que cet utilisateur et vous ne pouvez pas supprimer vous-même. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Voulez-vous réellement supprimer le Job "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ceci supprimera l'utilisateur, les comptes connexes et son espace de travail personnel, y compris les contenus non publiés. - Yes, delete the user + Yes, delete the user Oui, supprimer l'utilisateur - Edit user "{0}" + Edit user "{0}" Editer utilisateur « {0} » - Home + Home Accueil - Work + Work Travail - Package Management + Package Management Gestion des paquets - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Le module "Gestion des paquets" vous donne un aperçu de tous les paquets. Vous pouvez activer ou désactiver chaque paquet, importer de nouveaux paquets et supprimer des paquets existants. Le module vous donne également la possibilité de mettre en pause ou activer des paquets, .... - Available packages + Available packages Packages disponibles - Package Name + Package Name Nom du package - Package Key + Package Key Clé de package - Package Type + Package Type Type de package - Deactivated + Deactivated Désactivée - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Ce paquet est actuellement gelé. Cliquez pour le dégeler. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Geler le paquet afin d'accélérer votre site Web. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Ce paquet est protégé et ne peut pas être désactivé. - Deactivate Package + Deactivate Package Désactiver le paquet - Activate Package + Activate Package Activer le package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Ce paquet est protégé et ne peut pas être supprimé. - Delete Package + Delete Package Supprimer ce package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Voulez-vous vraiment supprimer "{0}" ? - Yes, delete the package + Yes, delete the package Oui, supprimer le package - Yes, delete the packages + Yes, delete the packages Oui, supprimer les packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Voulez-vous vraiment supprimer les packages sélectionnés ? - Freeze selected packages + Freeze selected packages Geler les packages sélectionnés - Unfreeze selected packages + Unfreeze selected packages Dégeler les packages sélectionnés - Delete selected packages + Delete selected packages Supprimer les packages sélectionnées - Deactivate selected packages + Deactivate selected packages Désactiver les packages sélectionnés - Activate selected packages + Activate selected packages Activer les paquets sélectionnés - Sites Management + Sites Management Gestion des sites - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Le module "Gestion des sites" vous donne un aperçu de tous vos sites. Vous pouvez éditer, ajouter et supprimer des informations sur vos site, tel que l'ajout d'un nouveau domaine. - Add new site + Add new site Ajouter un site - Create site + Create site Créer un site - Create a new site + Create a new site Créer un nouveau site - Root node name + Root node name Nom du dossier racine - Domains + Domains Domaines - Site + Site Site - Name + Name Nom - Default asset collection + Default asset collection Collection de contenu par défaut - Site package + Site package Pack de site - Delete this site + Delete this site Supprimer ce site - Deactivate site + Deactivate site Désactivé ce site - Activate site + Activate site Activé ce site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Êtes-vous sûr de vouloir supprimer "{0}"? Cette action est irréversible. - Yes, delete the site + Yes, delete the site Oui, je veux supprimer le site - Import a site + Import a site Importer un site - Select a site package + Select a site package Sélectionner un package pour le site - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Aucun package pour le site n'est disponible. Assurez-vous que vous avez un package actif. - Create a blank site + Create a blank site Créer un site de zéro - Select a document nodeType + Select a document nodeType Selectionnez un document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nom du site - Create empty site + Create empty site Créer un site vide - Create a new site package + Create a new site package Créer un package pour le site - VendorName.MyPackageKey + VendorName.MyPackageKey NomDuVendeur.MaCléDuPackage - No sites available + No sites available Aucun sites disponibles - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Le package <em>Neos Kickstarter</em> n'est pas installé, Installez le pour lancer un nouveau site en kickstart. - New site + New site Nouveau site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Êtes-vous sûr de vouloir supprimer "{0}"? Cette action est irréversible. - New domain + New domain Nouveau domaine - Edit domain + Edit domain Modifier le domaine - Domain data + Domain data Données du domaine - e.g. www.neos.io + e.g. www.neos.io par exemple www.neos.io - State + State Etat - Create + Create Créer - Configuration + Configuration Configuration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Le module de Configuration vous donne un aperçu de tous les types de configuration. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Donne une vue d'ensemble graphique sur les options de replis configurée dans le contenu de chaque dimension et à travers les dimensions du contenu. - Inter dimensional fallback graph + Inter dimensional fallback graph Graphique de repli interdimensionnel - Inter dimensional + Inter dimensional Interdimensionnel - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Le graphique de repli inter-dimensionnel affiche tous les replis possibles (affichés comme des arêtes) entre les sous-graphes (combinaisons de valeurs de dimension de contenu, affichées comme des nœuds). @@ -879,416 +875,416 @@ Les replis primaires sont marqués en bleu et toujours visibles, tandis que les Cliquez sur l'un des nœuds pour ne voir que ses substituts et ses variantes. Cliquez à nouveau pour supprimer le filtre. - Intra dimensional fallback graph + Intra dimensional fallback graph Graphique de repli interdimensionnel - Intra dimensional + Intra dimensional Interdimensionnel - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Le graphique de repli intra-dimensionnel affiche les replis au sein de chaque dimension de contenu. - User + User Utilisateur - User Settings + User Settings Paramètres utilisateur - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Ce module vous permet de personnaliser l'interface d'administration. Vous pouvez choisir votre langue, nom et adresse électronique. Vous pouvez aussi configurer d'autres paramètres généraux de l'interface. - Edit + Edit Edition - Edit + Edit Edition - New electronic address + New electronic address Nouvelle adresse électronique - Edit account + Edit account Edité le profile - Personal Data + Personal Data Données personnelles - User Data + User Data Données utilisateur - User Menu + User Menu Menu utilisateur - User Preferences + User Preferences Préférences utilisateur - Interface Language + Interface Language Langue de l'interface - Use system default + Use system default Utiliser les paramètres par défaut - Accounts + Accounts Comptes - Username + Username Nom d'utilisateur - Roles + Roles Rôles - Authentication Provider + Authentication Provider Fournisseur d'authentification - Electronic addresses + Electronic addresses Adresses électroniques - Do you really want to delete + Do you really want to delete Confirmez-vous la suppression - Yes, delete electronic address + Yes, delete electronic address Oui, supprimer l'adresse électronique - Click to add a new Electronic address + Click to add a new Electronic address Cliquez ici pour ajouter une nouvelle adresse électronique - Add electronic address + Add electronic address Ajouter une adresse électronique - Save User + Save User Sauvegarder l'utilisateur - Edit User + Edit User Editer l'utilisateur - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Mise à jour - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Editer l'utilisateur - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/hu/Modules.xlf b/Neos.Neos/Resources/Private/Translations/hu/Modules.xlf index 6e1c375e3f9..ace25fb939b 100644 --- a/Neos.Neos/Resources/Private/Translations/hu/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/hu/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Vissza - Cancel + Cancel Mégsem - Management + Management Kezelés - Contains multiple modules related to management of content + Contains multiple modules related to management of content Több modult tartalmaz, ami kapcsolódik a tartalomhoz - Workspaces + Workspaces Munkaterület - Details for "{0}" + Details for "{0}" Részletek "{0}" - Create new workspace + Create new workspace Új munkafelület létrehozása - Create workspace + Create workspace Új munkafelület - Delete workspace + Delete workspace Munkafelület törlése - Edit workspace + Edit workspace Munkafelület szerkesztése - Yes, delete the workspace + Yes, delete the workspace Igen, törlöm a munkafelületet - Edit workspace "{0}" + Edit workspace "{0}" Munkafelület szerkesztése - Personal workspace + Personal workspace Személyes munkafelület - Private workspace + Private workspace Privát munkafelület - Internal workspace + Internal workspace Belső munkafelület - Read-only workspace + Read-only workspace Csak olvasható munkafelület - Title + Title Cím - Description + Description Leírás - Base workspace + Base workspace Alap munkafelület - Owner + Owner Tulajdonos - Visibility + Visibility Láthatóság - Private + Private Privát - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Csak moderátorok és adminisztrátoroknak van engedélye a tartalom szerkesztéséhez ezen a munkafelületen - Internal + Internal Belső - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Minden bejelentkezett szerkesztő láthatja és módosíthatja a munkafelületet. - Changes + Changes Változások - Open page in "{0}" workspace + Open page in "{0}" workspace Oldal megnyitása "{0}" a munkafelületen - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Ez egy személyes munkafelület, amit nem törölhet. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. A munkafelület változásokat tartalmaz. A törléshez először vesse el a módosításokat. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. A munkafelületet nem lehet újraalapozni egy másik munkafelületen, mert változásokat tartalmaz. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Ezt a munkafelületet nem lehet törölni, mert más munkafelületek erre épülnek. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Nincs jogod, hogy töröld a munkafelületet. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Biztos törölni akarod a "{0}" munkafelületet? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Ez törölni fogja a munkafelületet az összes közzé nem tett tartalommal együtt. Ez a művelet nem vonható vissza. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Ez a modul tartalmazza az áttekintését az összes elemnek a jelenlegi munkafelületen és ez engedélyezi, hogy folytassa a felülvizsgálatát, munkafolyamatot. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Közzé nem tett változások a "{0}" munkafelületen - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} kiegészítések: {new}, változások: {changed}, eltávolítások: {removed} - Review + Review Áttekintés - Discard selected changes + Discard selected changes Kiválasztott változások elvetése - - Publish selected changes - Kiválasztott változások közzététele - - Discard all changes + Discard all changes Összes változtatás elvetése - Publish all changes + Publish all changes Minden változtatás közzététele - Publish all changes to {0} + Publish all changes to {0} Minden változás közzététele {0} - Changed Content + Changed Content Változott tartalom - deleted + deleted törölt - created + created létrehozott - moved + moved mozgatott - hidden + hidden rejtett - edited + edited szerkesztett - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Minden közzé van téve. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Biztos minden változás el akar vetni a "{0}" munkafelületen? @@ -266,612 +262,612 @@ Minden változás a munkafelületen "{0}" el lett vetve. - History + History Előzmények - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Ez a modul áttekintést ad az összes fontos eseményről, amely befolyásolja a Neos telepítést. - Here's what happened recently in Neos + Here's what happened recently in Neos Itt van, ami nemrégiben történt a Neos-on - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Nincs még felvett eseméyn, ami megjeleníthető lenne az előzményekben. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} létrehozta {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} eltávolította {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} létrehozta a változatot {1} a {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} módosult {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} mozgatta {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} másolta {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} átnevezte {1} "{2}" "{3}"-ra. - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} megváltoztatta a tartalmat {1} "{2}"-re. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} létrehozott egy új felhasználót "{1}" {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} törölt egy felhasználót "{1}" {2}. - Load More + Load More Többet - This node has been removed in the meantime + This node has been removed in the meantime Ezt a csomópontot idő közben eltávolították - Administration + Administration Adminisztráció - Contains multiple modules related to administration + Contains multiple modules related to administration Több modult tartalmaz, ami kapcsolódik az adminisztrációhoz - User Management + User Management Felhasználókezelés - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. A felhasználó kezelő modul áttekintést nyújt az összes háttér felhasználóról. Csoportosíthatod őket a tulajdonságaik alapján és kezelni tudod a jogosultságaikat, fájlcsatolásokat, felhasználói csoportokat stb.. Ez a modul nélkülözhetetlen annak érdekében, hogy megbizonyosodj az összes felhasználó helyes beállításáról. - Overview + Overview Áttekintés - Show + Show Mutat - New + New Új - Edit + Edit Szerkesztés - Edit account + Edit account Fiók szerkesztése - New electronic address + New electronic address Új elektronikus cím - Use system default + Use system default Alapértelmezett használata - Create user + Create user Felhasználó létrehozása - Create a new user + Create a new user Új felhasználó készítés - User Data + User Data Felhasználói adatok - Username + Username Felhasználó - Password + Password Jelszó - Repeat password + Repeat password Ismételje meg a jelszót - Role(s) + Role(s) Szabályzat - Authentication Provider + Authentication Provider Hitelesítés szükséges - Use system default + Use system default Alapértelmezett használata - Personal Data + Personal Data Személyes adatok - First Name + First Name Keresztnév - Last Name + Last Name Családnév - User Preferences + User Preferences Felhasználói beállítások - Interface Language + Interface Language Kezelőfelület nyelve - Create user + Create user Felhasználó létrehozása - Details for user + Details for user Felhasználó részletei - Personal Data + Personal Data Személyes adatok - Title + Title Cím - First Name + First Name Keresztnév - Middle Name + Middle Name Középső név - Last Name + Last Name Családnév - Other Name + Other Name Másik név - Accounts + Accounts Fiókok - Username + Username Felhasználó - Roles + Roles Szerepek - Electronic Addresses + Electronic Addresses Elektronikus címek - Primary + Primary Elsődleges - N/A + N/A N/A - Delete User + Delete User Felhasználó törlése - Edit User + Edit User Felhasználó szerkesztése - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Felhasználóként van bejelentkezve, nem törölheti magát. - Click here to delete this user + Click here to delete this user Kattintson ide a felhasználó törléséhez - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Valóban törölni akarja a felhasználót {0}? - Yes, delete the user + Yes, delete the user Igen, törlöm a felhasználót - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ezzel törli a felhasználót, a kapcsolódó felhasználók és a személyes munkaterület, beleértve minden Nem publikált tartaltalmat. - This operation cannot be undone + This operation cannot be undone Ez a művelet nem vonható vissza - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Felhasználó szerkesztése "{accountIdentifier}" - Account + Account Fiók - Username + Username Felhasználó - The username can't be changed via the user interface + The username can't be changed via the user interface A felhasználónév nem változtatható meg a felületről - Save account + Save account Fiók mentése - Repeat password + Repeat password Ismételje meg a jelszót - Roles + Roles Szerepek - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Név - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Fiókok és szerepek - View user + View user Felhasználó megtekintése - Edit user + Edit user Felhasználó szerkesztése - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Felhasználó törlése - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Felhasználóként van bejelentkezve, nem törölheti magát. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Valóban törölni akarja a felhasználót {0}? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ezzel törli a felhasználót, a kapcsolódó felhasználók és a személyes munkaterület, beleértve minden Nem publikált tartaltalmat. - Yes, delete the user + Yes, delete the user Igen, törlöm a felhasználót - Edit user "{0}" + Edit user "{0}" Felhasználó szerekesztése "{0}" - Home + Home Kezdőlap - Work + Work Munka - Package Management + Package Management Csomagkezelés - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. A csomagkezelő modul áttekintést nyújt önnek a csomagjai között. Aktiválhatja és deaktiválhatja az egyes csomagokat, új csomagokat importálhat és törölheti a meglévő csomagokat. Ez szolgáltat önnek egy képességet, amivel lefagyaszthatja és a feloldhatja a csomagokat fejlesztési összefüggésben. - Available packages + Available packages Elérhető csomagok - Package Name + Package Name Csomagnév - Package Key + Package Key Csomagszám - Package Type + Package Type Csomag típusa - Deactivated + Deactivated Deaktiválva - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. A csomag le lett fagyasztva. Kattintson ide a kiolvasztáshoz. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Fagyassza le a csomagot annak érdekében, hogy felgyorsítsa az oldalt. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Ez a csomag védelem alatt áll és nem lehet deaktiválni. - Deactivate Package + Deactivate Package Csomag deaktiválása - Activate Package + Activate Package Csomag aktiválása - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Ez a csomag védelem alatt áll és nem lehet törölni. - Delete Package + Delete Package Csomag törlése - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Valóban törölni akarja "{0}"? - Yes, delete the package + Yes, delete the package Igen, törlöm a csomagot - Yes, delete the packages + Yes, delete the packages Igen, törlöm a csomagokat - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Biztosan törli a kijelölt csomagokat? - Freeze selected packages + Freeze selected packages Kiválasztott csomagok fagyasztása - Unfreeze selected packages + Unfreeze selected packages Kiválasztott csomagok kiolvasztása - Delete selected packages + Delete selected packages Kiválasztott csomagok törlése - Deactivate selected packages + Deactivate selected packages Kiválasztott csomagok deaktiválása - Activate selected packages + Activate selected packages Kiválasztott csomagok aktiválása - Sites Management + Sites Management Oldalak kezelése - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. A webhely kezelési modul áttekintést nyújt önnek az összes oldalon. Szerkeszteni, hozzáadáadni, és törölheti az adatokat az oldalról és új domainhez adni. - Add new site + Add new site Új oldal - Create site + Create site Oldal létrehozása - Create a new site + Create a new site Új oldal létrehozása - Root node name + Root node name Root neve - Domains + Domains Domainek - Site + Site Oldal - Name + Name Név - Default asset collection + Default asset collection Alap eszközök - Site package + Site package Oldal csomag - Delete this site + Delete this site Oldal törlése - Deactivate site + Deactivate site Oldal deaktiválása - Activate site + Activate site Aktív oldal - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Biztos törölni akarja "{0}"? Ez a lépés nem vonható vissza. - Yes, delete the site + Yes, delete the site Igen, törölje az oldalt - Import a site + Import a site Oldal importálása - Select a site package + Select a site package Válasszony csomagot - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Nincs elérhető csomag. Bizonyosodj meg, hogy van aktív csomagod. - Create a blank site + Create a blank site Űrlap létrehozása - Select a document nodeType + Select a document nodeType Válasszon dokumentum típust - Select a site generator + Select a site generator Select a site generator - Site name + Site name Oldal neve - Create empty site + Create empty site Üres oldal létrehozása - Create a new site package + Create a new site package Új csomag létrehozása - VendorName.MyPackageKey + VendorName.MyPackageKey EladóNeve.Csomagom - No sites available + No sites available Nincs elérhető oldal - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. A <em>Neos Kickstarter</em> csomag nincs telepítve, telepítse új oldalra. - New site + New site Új oldal - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Biztos törölni akarja "{0}"? Ez a lépés nem vonható vissza. - New domain + New domain Új domain - Edit domain + Edit domain Domain szerkesztése - Domain data + Domain data Domain adatok - e.g. www.neos.io + e.g. www.neos.io pl: www.neos.io - State + State Állam - Create + Create Létrehozás - Configuration + Configuration Konfiguráció - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. A konfigurációs modul segítségével áttekintést nyer az összes konfigurációs típussal. - Dimensions + Dimensions Dimenziók - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Több dimenziós átmeneti grafikon - Inter dimensional + Inter dimensional Több dimenzió - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Felhasználó - User Settings + User Settings Felhasználói beállítások - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Ez a modul engedélyezi, hogy személyre szabja a háttérfélhasználók profilját. Itt megváltoztathatja az aktív rendszer nyelvét, nevét és e-mail címét. Az általános tulajdonságokat a rendszer részben találja. - Edit + Edit Szerkesztés - Edit + Edit Szerkesztés - New electronic address + New electronic address Új elektronikus cím - Edit account + Edit account Fiók szerkesztése - Personal Data + Personal Data Személyes adatok - User Data + User Data Felhasználói adatok - User Menu + User Menu Felhasználói menü - User Preferences + User Preferences Felhasználói beállítások - Interface Language + Interface Language Kezelőfelület nyelve - Use system default + Use system default Alapértelmezett használata - Accounts + Accounts Fiókok - Username + Username Felhasználó - Roles + Roles Szerepek - Authentication Provider + Authentication Provider Hitelesítés szükséges - Electronic addresses + Electronic addresses Elektronikus címek - Do you really want to delete + Do you really want to delete Biztosan törlöd - Yes, delete electronic address + Yes, delete electronic address Igen, törlöm az elektronikus címet - Click to add a new Electronic address + Click to add a new Electronic address Kattintson az új elektronikus cím hozzáadásához - Add electronic address + Add electronic address Elektronikus cím hozzáadása - Save User + Save User Felhasználó mentése - Edit User + Edit User Felhasználó szerkesztése - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Frissítés - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Felhasználó szerkesztése - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/id_ID/Modules.xlf b/Neos.Neos/Resources/Private/Translations/id_ID/Modules.xlf index 8de14dd0f5d..a0ae30c9d6d 100644 --- a/Neos.Neos/Resources/Private/Translations/id_ID/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/id_ID/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Kembali - Cancel + Cancel Batalkan - Management + Management Manajemen - Contains multiple modules related to management of content + Contains multiple modules related to management of content Mengandung banyak modul yang berkaitan dengan manajemen konten - Workspaces + Workspaces Bidang Kerja - Details for "{0}" + Details for "{0}" Rincian untuk "{0}" - Create new workspace + Create new workspace Membuat bidang kerja baru - Create workspace + Create workspace Membuat bidang kerja - Delete workspace + Delete workspace Hapus bidang kerja - Edit workspace + Edit workspace Edit bidang kerja - Yes, delete the workspace + Yes, delete the workspace Ya, menghapus bidang kerja - Edit workspace "{0}" + Edit workspace "{0}" Edit bidang kerja - Personal workspace + Personal workspace Bidang kerja personal - Private workspace + Private workspace Bidang kerja Privat - Internal workspace + Internal workspace Bidang kerja internal - Read-only workspace + Read-only workspace Bidang kerja Read-only - Title + Title Judul - Description + Description Deskripsi - Base workspace + Base workspace Bidang Kerja Dasar - Owner + Owner Pemilik - Visibility + Visibility Visibilitas - Private + Private Rahasia - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Hanya pengulas dan administrator yang dapat mengakses dan memodifikasi bidang kerja ini - Internal + Internal Internal - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Editor login yang dapat melihat dan mengubah bidang kerja ini. - Changes + Changes Perubahan - Open page in "{0}" workspace + Open page in "{0}" workspace Buka halaman di bidang kerja "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Ini adalah ruang kerja pribadi Anda yang tidak dapat Anda hapus. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Ruang kerja berisi perubahan. Untuk menghapus, buang perubahan terlebih dahulu. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Bidang kerja tidak dapat didasarkan pada bidang kerja yang berbeda karena masih mengandung perubahan. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Bidang kerja tidak dapat dihapus karena bidang kerja lain bergantung padanya. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Anda tidak memiliki izin untuk menghapus bidang kerja ini. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Apakah Anda benar-benar ingin menghapus bidang kerja "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Ini akan menghapus ruang kerja termasuk konten yang belum diterbitkan. Operasi ini tidak bisa dibatalkan. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Modul ini berisi ikhtisar dari semua elemen dalam bidang kerja saat ini dan memungkinkan untuk terus diperiksa dan penerbitan alur kerja mereka. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Perubahan yang tidak dipublikasikan di bidang kerja "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} penambahan: {new}, perubahan: {changed}, perpindahan: {removed} - Review + Review Ulasan - Discard selected changes + Discard selected changes Membuang perubahan yang dipilih - - Publish selected changes - Mempublikasikan perubahan yang dipilih - - Discard all changes + Discard all changes Buang semua perubahan - Publish all changes + Publish all changes Mempublikasikan semua perubahan - Publish all changes to {0} + Publish all changes to {0} Mempublikasikan semua perubahan ke {0} - Changed Content + Changed Content Konten yang dirubah - deleted + deleted dihapus - created + created dibuat - moved + moved dipindah - hidden + hidden tersembunyi - edited + edited diedit - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Tidak ada perubahan yang tidak dipublikasikan di bidang kerja ini. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Apakah Anda benar-benar ingin membuang semua perubahan dalam bidang kerja "{0}"? @@ -262,612 +258,612 @@ Semua perubahan dari ruang kerja " {0} " telah dibuang. - History + History Sejarah - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Modul ini memberikan gambaran umum tentang semua peristiwa yang relevan yang mempengaruhi pemasangan Neos ini. - Here's what happened recently in Neos + Here's what happened recently in Neos Inilah yang terjadi baru-baru ini di Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Belum ada rekaman acara yang bisa ditampilkan dalam sejarah ini. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} membuat {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} menghapus {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} membuat varian {1} dari {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} mengubah {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} memindah {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} menyalin {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} mengganti nama {1} "{2}" menjadi "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} mengubah konten pada {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} membuat pengguna baru "{1}" untuk {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} dihapus account "{1}" dari {2}. - Load More + Load More Muat lagi - This node has been removed in the meantime + This node has been removed in the meantime Node ini telah dihapus sementara - Administration + Administration Administrasi - Contains multiple modules related to administration + Contains multiple modules related to administration Mengandung banyak modul yang berkaitan dengan administrasi - User Management + User Management Manajemen pengguna - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Modul manajemen pengguna memberikan Anda gambaran dari semua pengguna backend. Anda dapat mengelompokkan mereka berdasarkan properti mereka sehingga Anda dapat memantau izin, filemounts, kelompok-kelompok anggota dll... Modul ini adalah alat yang sangat diperlukan untuk memastikan pengguna yang dikonfigurasi dengan benar. - Overview + Overview Sekilas - Show + Show Tampilkan - New + New Baru - Edit + Edit Ubah - Edit account + Edit account Edit akun - New electronic address + New electronic address Alamat elektronik baru - Use system default + Use system default Gunakan bawaan sistem - Create user + Create user Membuat pengguna - Create a new user + Create a new user Membuat pengguna baru - User Data + User Data Data pengguna - Username + Username Nama Pengguna - Password + Password Kata sandi - Repeat password + Repeat password Ulangi kata sandi - Role(s) + Role(s) Peran (s) - Authentication Provider + Authentication Provider Penyedia otentikasi - Use system default + Use system default Gunakan bawaan sistem - Personal Data + Personal Data Data Pribadi - First Name + First Name Nama Depan - Last Name + Last Name Nama Belakang - User Preferences + User Preferences Preferensi pengguna - Interface Language + Interface Language Bahasa antarmuka - Create user + Create user Membuat pengguna - Details for user + Details for user Rincian untuk pengguna - Personal Data + Personal Data Data Pribadi - Title + Title Judul - First Name + First Name Nama Depan - Middle Name + Middle Name Nama Tengah - Last Name + Last Name Nama Belakang - Other Name + Other Name Nama lain - Accounts + Accounts Akun - Username + Username Nama Pengguna - Roles + Roles Peran - Electronic Addresses + Electronic Addresses Alamat Elektronik - Primary + Primary Utama - N/A + N/A N/A - Delete User + Delete User Menghapus pengguna - Edit User + Edit User Edit pengguna - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Anda login sebagai user ini dan Anda tidak dapat menghapus diri sendiri. - Click here to delete this user + Click here to delete this user Klik di sini untuk menghapus pengguna ini - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Apakah Anda benar-benar ingin menghapus pengguna "{0}"? - Yes, delete the user + Yes, delete the user Ya, Hapus pengguna - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ini akan menghapus pengguna, account terkait dan bidang kerja pribadinya, termasuk konten semua yang belum di publikasikan. - This operation cannot be undone + This operation cannot be undone Operasi ini tidak bisa dibatalkan - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edit akun "{accountIdentifier}" - Account + Account Akun - Username + Username Nama Pengguna - The username can't be changed via the user interface + The username can't be changed via the user interface Nama pengguna tidak dapat diubah melalui antarmuka pengguna - Save account + Save account Simpan Akun - Repeat password + Repeat password Ulangi kata sandi - Roles + Roles Peran - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nama - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Akun dan peran - View user + View user Lihat pengguna - Edit user + Edit user Edit pengguna - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Menghapus pengguna - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Anda login sebagai user ini dan Anda tidak dapat menghapus diri sendiri. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Apakah Anda benar-benar ingin menghapus pengguna "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Ini akan menghapus pengguna, account terkait dan bidang kerja pribadinya, termasuk konten semua yang belum di publikasikan. - Yes, delete the user + Yes, delete the user Ya, Hapus pengguna - Edit user "{0}" + Edit user "{0}" Mengedit pengguna "{0}" - Home + Home Home - Work + Work Pekerjaan - Package Management + Package Management Manajemen Paket - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Modul manajemen paket memberikan Anda gambaran dari semua paket. Anda dapat mengaktifkan dan menonaktifkan paket individu, mengimpor paket baru dan menghapus paket yang ada. Ini juga menyediakan Anda dengan kemampuan untuk membekukan dan mengembalikan paket dalam konteks pembangunan. - Available packages + Available packages Paket yang tersedia - Package Name + Package Name Nama paket - Package Key + Package Key Kunci paket - Package Type + Package Type Tipe Paket - Deactivated + Deactivated Dinonaktifkan - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Paket tersebut saat ini dibekukan. Klik untuk mengembalikan. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Bekukan paket untuk mempercepat website Anda. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Paket ini dilindungi dan tidak dapat dinonaktifkan. - Deactivate Package + Deactivate Package Menonaktifkan paket - Activate Package + Activate Package Aktifkan paket - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Paket ini dilindungi dan tidak dapat dihapus. - Delete Package + Delete Package Menghapus paket - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Apakah Anda benar-benar ingin menghapus "{0}"? - Yes, delete the package + Yes, delete the package Ya, menghapus paket - Yes, delete the packages + Yes, delete the packages Ya, menghapus paket-paket - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Apakah Anda benar-benar ingin menghapus paket yang dipilih? - Freeze selected packages + Freeze selected packages Bekukan paket Terpilih - Unfreeze selected packages + Unfreeze selected packages Kembalikan paket Terpilih - Delete selected packages + Delete selected packages Menghapus paket-paket yang dipilih - Deactivate selected packages + Deactivate selected packages Menonaktifkan paket Terpilih - Activate selected packages + Activate selected packages Aktifkan paket Terpilih - Sites Management + Sites Management Manajemen situs - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Modul manajemen situs memberikan Anda gambaran dari semua situs. Anda dapat mengedit, menambah dan menghapus informasi tentang situs Anda, misalnya menambahkan domain baru. - Add new site + Add new site Tambah situs baru - Create site + Create site Membuat situs - Create a new site + Create a new site Membuat situs baru - Root node name + Root node name Nama simpul akar - Domains + Domains Domain - Site + Site Situs - Name + Name Nama - Default asset collection + Default asset collection Koleksi aset terpasang - Site package + Site package Paket situs - Delete this site + Delete this site Hapus situs ini - Deactivate site + Deactivate site Nonaktifkan situs - Activate site + Activate site Aktifkan situs - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Apakah Anda benar-benar ingin menghapus "{0}"? ini tidak dapat dipulihkan. - Yes, delete the site + Yes, delete the site Ya, hapus situs tersebut - Import a site + Import a site Impor situs - Select a site package + Select a site package Pilih paket situs - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Tidak ada paket situs yang tersedia. Pastikan Anda memiliki paket situs yang aktif. - Create a blank site + Create a blank site Buat situs kosong - Select a document nodeType + Select a document nodeType Pilih nodeType dokumen - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nama situs - Create empty site + Create empty site Buat situs kosong - Create a new site package + Create a new site package Buat paket situs baru - VendorName.MyPackageKey + VendorName.MyPackageKey NamaPenyediaLayanan.KodeKunciPaketSaya - No sites available + No sites available Tidak ada situs tersedia - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Paket <em>Neos Kickstarter</em> belum terpasang, silakan memasangnya ke situs baru kickstart. - New site + New site Situs baru - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Apakah Anda benar-benar ingin menghapus "{0}"? ini tidak dapat dipulihkan. - New domain + New domain Domain baru - Edit domain + Edit domain Edit domain - Domain data + Domain data Data domain - e.g. www.neos.io + e.g. www.neos.io Cth. www.neos.io - State + State Negara - Create + Create Buat - Configuration + Configuration Konfigurasi - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Konfigurasi modul memberikan Anda gambaran dari semua jenis konfigurasi. - Dimensions + Dimensions Dimensi - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Berikan ikhtisar grafis mengenai penggabungan yang dikonfigurasi dalam setiap dimensi konten dan dimensi konten. - Inter dimensional fallback graph + Inter dimensional fallback graph Grafik fallback antar dimensi - Inter dimensional + Inter dimensional Dimensi inter - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Grafik fallback antar dimensi menampilkan semua kemungkinan fallback (ditampilkan sebagai sisi) antara subgraf (kombinasi nilai dimensi konten, ditampilkan sebagai node). @@ -875,416 +871,416 @@ Penggantian utama ditandai biru dan selalu terlihat, sementara fallback yang leb Klik salah satu node untuk hanya melihat fallback dan variannya. Klik lagi untuk menghapus filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Grafik fallback intra dimensi - Intra dimensional + Intra dimensional Intra dimensi - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Grafik fallback intra dimensional menampilkan fallback dalam setiap dimensi konten. - User + User Pengguna - User Settings + User Settings Pengaturan pengguna - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Modul ini memungkinkan Anda untuk menyesuaikan profil pengguna backend. Di sini Anda dapat mengubah sistem bahasa, nama dan alamat email. Anda juga dapat mengkonfigurasi fitur yang umum dalam sistem. - Edit + Edit Ubah - Edit + Edit Ubah - New electronic address + New electronic address Alamat elektronik baru - Edit account + Edit account Edit akun - Personal Data + Personal Data Data Pribadi - User Data + User Data Data pengguna - User Menu + User Menu Menu pengguna - User Preferences + User Preferences Preferensi pengguna - Interface Language + Interface Language Bahasa antarmuka - Use system default + Use system default Gunakan bawaan sistem - Accounts + Accounts Akun - Username + Username Nama Pengguna - Roles + Roles Peran - Authentication Provider + Authentication Provider Penyedia otentikasi - Electronic addresses + Electronic addresses Alamat Elektronik - Do you really want to delete + Do you really want to delete Apakah Anda benar-benar ingin menghapus - Yes, delete electronic address + Yes, delete electronic address Ya, menghapus alamat elektronik - Click to add a new Electronic address + Click to add a new Electronic address Klik untuk menambahkan alamat elektronik baru - Add electronic address + Add electronic address Tambahkan alamat elektronik - Save User + Save User Simpan pengguna - Edit User + Edit User Edit pengguna - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Pembaruan - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Edit pengguna - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/it/Modules.xlf b/Neos.Neos/Resources/Private/Translations/it/Modules.xlf index b052d8cb9da..a4003ac6429 100644 --- a/Neos.Neos/Resources/Private/Translations/it/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/it/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Indietro - Cancel + Cancel Annulla - Management + Management Gestione - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contiene moduli multipli relativi all'amministrazione del contenuto - Workspaces + Workspaces Aree Lavoro (Workspaces) - Details for "{0}" + Details for "{0}" Dettagli per "{0}" - Create new workspace + Create new workspace Crea nuovo spazio di lavoro - Create workspace + Create workspace Crea spazio di lavoro - Delete workspace + Delete workspace Elimina spazio di lavoro - Edit workspace + Edit workspace Modifica spazio di lavoro - Yes, delete the workspace + Yes, delete the workspace Sì, elimina lo spazio di lavoro - Edit workspace "{0}" + Edit workspace "{0}" Modifica spazio di lavoro - Personal workspace + Personal workspace Spazio di lavoro personale - Private workspace + Private workspace Spazio di lavoro privato - Internal workspace + Internal workspace Spazio di lavoro interno - Read-only workspace + Read-only workspace Spazio di lavoro di sola lettura - Title + Title Titolo - Description + Description Descrizione - Base workspace + Base workspace Spazio di lavoro base - Owner + Owner Proprietario - Visibility + Visibility Visibilità - Private + Private Privato - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Solo i revisori e gli amministratori possono accedere e modificare questo spazio di lavoro - Internal + Internal Interno - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Ogni editore loggato può vedere e modificare questo spazio di lavoro. - Changes + Changes Modifiche - Open page in "{0}" workspace + Open page in "{0}" workspace Apri pagina nello spazio di lavoro "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Questo è il tuo spazio di lavoro personale che non puoi eliminare. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Lo spazio di lavoro contiene modifiche. Per eliminare, scarta prima le modifiche. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Lo spazio di lavoro non può essere ribasato su un differente spazio di lavoro perchè contiene ancora modifiche. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Lo spazio di lavoro non può essere eliminato perchè un altro spazio di lavoro dipende da esso. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Non hai i permessi per eliminare questo spazio di lavoro. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Vuoi veramente eliminare lo spazio di lavoro "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Questo eliminerà lo spazio di lavoro inclusi tutti i contenuti non pubblicati. Questa operazione non può essere annullata. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Questo modulo contiene una panoramica di tutti gli elementi all'interno dell'area di lavoro corrente e consente di continuare la revisione e la pubblicazione del flusso di lavoro. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Modifiche non pubblicate nel progetto "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} aggiunte: {new}, modifiche: {changed}, rimozioni: {removed} - Review + Review Revisiona - Discard selected changes + Discard selected changes Annulla le modifiche selezionate - - Publish selected changes - Pubblica le modifiche selezionate - - Discard all changes + Discard all changes Annullare tutte le modifiche - Publish all changes + Publish all changes Pubblicare tutte le modifiche - Publish all changes to {0} + Publish all changes to {0} Pubblica tutte le modifiche a {0} - Changed Content + Changed Content Contenuto modificato - deleted + deleted eliminato - created + created creato - moved + moved spostato - hidden + hidden nascosto - edited + edited modificato - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Non ci sono modifiche non pubblicate in questo spazio di lavoro. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Vuoi veramente eliminare tutte le modifiche nello spazio di lavoro "{0}"? @@ -266,612 +262,612 @@ Tutte le modifiche dallo spazio di lavoro "{0}" sono state scartate. - History + History Cronologia - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Questo modulo fornisce una panoramica di tutti gli eventi rilevanti che riguardano questa installazione di Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Ecco cosa è successo recentemente in Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Non sono ancora stati registrati eventi che potrebbero essere visualizzati in questa cronologia. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} creato il {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} rimosso il {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} creata la variante {1} delle {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modificato il {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} spostato il {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copiato il {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} rinominati {1} "{2}" a "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modificato il contenuto su {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} ha creato un nuovo utente "{1}" per {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} ha eliminato l'account "{1}" di {2}. - Load More + Load More Carica Altro - This node has been removed in the meantime + This node has been removed in the meantime Questo nodo è stato rimosso nel mentre - Administration + Administration Amministrazione - Contains multiple modules related to administration + Contains multiple modules related to administration Contiene più moduli relativi all'amministrazione - User Management + User Management Gestione Utenti - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Il modulo di Gestione Utenti fornisce una panoramica di tutti gli utenti di backend. È possibile raggrupparli in base alle loro proprietà in modo da monitorare i loro permessi, filemounts, i membri dei gruppi ecc... Questo modulo è uno strumento indispensabile al fine di assicurarsi che gli utenti siano configurati correttamente. - Overview + Overview Panoramica - Show + Show Mostra - New + New Nuovo - Edit + Edit Modifica - Edit account + Edit account Modifica Profilo - New electronic address + New electronic address Nuovo indirizzo elettronico - Use system default + Use system default Usa sistema predefinito - Create user + Create user Crea utente - Create a new user + Create a new user Crea un nuovo utente - User Data + User Data Dati Utente - Username + Username Nome utente - Password + Password Password - Repeat password + Repeat password Ripeti la password - Role(s) + Role(s) Ruolo(i) - Authentication Provider + Authentication Provider Servizio di Autenticazione - Use system default + Use system default Usa sistema predefinito - Personal Data + Personal Data Dati Personali - First Name + First Name Nome - Last Name + Last Name Cognome - User Preferences + User Preferences Preferenze utente - Interface Language + Interface Language Interfaccia Lingua - Create user + Create user Crea utente - Details for user + Details for user Dettagli per utente - Personal Data + Personal Data Dati Personali - Title + Title Titolo - First Name + First Name Nome - Middle Name + Middle Name Secondo Nome - Last Name + Last Name Cognome - Other Name + Other Name Altro nome - Accounts + Accounts Profili - Username + Username Nome utente - Roles + Roles Ruoli - Electronic Addresses + Electronic Addresses Indirizzi Elettronici - Primary + Primary Primario - N/A + N/A N.d. - Delete User + Delete User Elimina Utente - Edit User + Edit User Modifica Utente - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Sei loggato come questo utente e non puoi eliminarti da solo. - Click here to delete this user + Click here to delete this user Clicca qui per eliminare questo utente - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vuoi davvero eliminare l'utente "{0}"? - Yes, delete the user + Yes, delete the user Sì, elimina l'utente - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Questo eliminerà l'utente, gli account relativi ed il suo spazio di lavoro personale, inclusi tutti i contenuti non pubblicati. - This operation cannot be undone + This operation cannot be undone Questa operazione non può essere annullata - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Modificare l'account "{accountIdentifier}" - Account + Account Profilo - Username + Username Nome utente - The username can't be changed via the user interface + The username can't be changed via the user interface Il nome utente non può essere modificato tramite l'interfaccia utente - Save account + Save account Salva account - Repeat password + Repeat password Ripeti la password - Roles + Roles Ruoli - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nome - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Account e Ruoli - View user + View user Visualizza utente - Edit user + Edit user Modifica Utente - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Elimina utente - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Sei loggato come questo utente e non puoi eliminarti da solo. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vuoi davvero eliminare l'utente "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Questo eliminerà l'utente, gli account relativi ed il suo spazio di lavoro personale, inclusi tutti i contenuti non pubblicati. - Yes, delete the user + Yes, delete the user Sì, elimina l'utente - Edit user "{0}" + Edit user "{0}" Modifica utente "{0}" - Home + Home Principale - Work + Work Lavoro - Package Management + Package Management Gestione dei pacchetti - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Il modulo di gestione dei pacchetti fornisce una panoramica di tutti i pacchetti. È possibile attivare e disattivare i singoli pacchetti, importare nuovi pacchetti ed eliminare i pacchetti esistenti. Offre anche la possibilità di bloccare e sbloccare i pacchetti nel contesto di sviluppo. - Available packages + Available packages Pacchetti disponibili - Package Name + Package Name Nome pacchetto - Package Key + Package Key Chiave pacchetto - Package Type + Package Type Tipo pacchetto - Deactivated + Deactivated Disattivato - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Questo pacchetto è attualmente congelato. Clicca per scongelarlo. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Congela il pacchetto per velocizzare il tuo sito web. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Questo pacchetto è protetto e non può essere disattivato. - Deactivate Package + Deactivate Package Pacchetto disattivato - Activate Package + Activate Package Pacchetto attivato - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Questo pacchetto è protetto e non può essere eliminato. - Delete Package + Delete Package Elimina pacchetto - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Vuoi davvero eliminare "{0}"? - Yes, delete the package + Yes, delete the package Sì, elimina il pacchetto - Yes, delete the packages + Yes, delete the packages Sì, elimina i pacchetti - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Vuoi veramente eliminare i pacchetti selezionati? - Freeze selected packages + Freeze selected packages Congela i pacchetti selezionati - Unfreeze selected packages + Unfreeze selected packages Scongela i pacchetti selezionati - Delete selected packages + Delete selected packages Elimina pacchetti selezionati - Deactivate selected packages + Deactivate selected packages Elimina i pacchetti selezionati - Activate selected packages + Activate selected packages Attiva pacchetti selezionati - Sites Management + Sites Management Gestione Siti - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Il modulo di Gestione Siti fornisce una panoramica di tutti i siti. È possibile modificare, aggiungere e cancellare le informazioni sui vostri siti, ad esempio aggiungendo un nuovo dominio. - Add new site + Add new site Aggiungi nuovo sito - Create site + Create site Crea sito - Create a new site + Create a new site Crea un nuovo sito - Root node name + Root node name Nome Cartella Madre - Domains + Domains Domini - Site + Site Sito - Name + Name Nome - Default asset collection + Default asset collection Raccolta asset default - Site package + Site package Pacchetto di siti - Delete this site + Delete this site Cancella questo sito web - Deactivate site + Deactivate site Disattivare il sito - Activate site + Activate site Attivare il sito - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vuoi veramente cancellare "{0}"? Questa azione non può essere annullata. - Yes, delete the site + Yes, delete the site Sì, eliminare il sito - Import a site + Import a site Importare una pagina - Select a site package + Select a site package Seleziona pacchetti offline - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Non ci sono pacchetti offline disponibili. Assicurati di avere un pacchetto offline attivo. - Create a blank site + Create a blank site Creare un sito vuoto - Select a document nodeType + Select a document nodeType Selezionare un documento nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nome Sito - Create empty site + Create empty site Creare sito vuoto - Create a new site package + Create a new site package Creare un nuovo pacchetto di siti - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available Nessun sito disponibile - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Non è installato il pacchetto di <em>Neos Kickstarter</em>, installarlo per fare il kickstart di nuovi siti. - New site + New site Nuovo sito - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vuoi veramente cancellare "{0}"? Questa azione non può essere annullata. - New domain + New domain Nuovo dominio - Edit domain + Edit domain Modifica dominio - Domain data + Domain data Dati del dominio - e.g. www.neos.io + e.g. www.neos.io es: www.neos.io - State + State Stato - Create + Create Crea - Configuration + Configuration Configurazione - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Il modulo Configurazione ti fornisce una panoramica di tutti i tipi di configurazione. - Dimensions + Dimensions Dimensioni - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Concede una panoramica grafica del fallback configurato all'interno di ogni dimensione di contenuto e attraverso dimensioni di contenuti. - Inter dimensional fallback graph + Inter dimensional fallback graph Grafico fallback inter dimensionale - Inter dimensional + Inter dimensional Inter dimensionale - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. L'interdimensionale grafico a fallback mostra tutti i possibili fallback (mostrati come limiti) tra sottografici (combinazioni di valore dimensione contenito, mostrato come nodi). @@ -879,416 +875,416 @@ I fallback primari sono marcati in blu e sempre visibili, mentre fallback di min Clicca su uno dei nodi per vedere solo i suoi fallback e varianti. Clicca di nuovo per rimuovere il filtro. - Intra dimensional fallback graph + Intra dimensional fallback graph Grafico fallback intra dimensionale - Intra dimensional + Intra dimensional Intra dimensionale - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Il grafico del fallback intradimensionale mostra i fallback entro ogni dimensione contenuto. - User + User Utente - User Settings + User Settings Impostazioni Utente - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Questo modulo ti consente di personalizzare il tuo profilo utente di back-end. Qui puoi modificare la tua lingua attiva del sistema, nome ed indirizzo email. Potresti anche configurare altre caratteristiche generali nel sistema. - Edit + Edit Modifica - Edit + Edit Modifica - New electronic address + New electronic address Nuovo indirizzo elettronico - Edit account + Edit account Modifica Profilo - Personal Data + Personal Data Dati Personali - User Data + User Data Dati Utente - User Menu + User Menu Menu Utente - User Preferences + User Preferences Preferenze utente - Interface Language + Interface Language Interfaccia Lingua - Use system default + Use system default Usa sistema predefinito - Accounts + Accounts Profili - Username + Username Nome utente - Roles + Roles Ruoli - Authentication Provider + Authentication Provider Servizio di Autenticazione - Electronic addresses + Electronic addresses Indirizzi elettronici - Do you really want to delete + Do you really want to delete Vuoi davvero eliminare - Yes, delete electronic address + Yes, delete electronic address Sì, elimina indirizzi elettronici - Click to add a new Electronic address + Click to add a new Electronic address Clicca per aggiungere un nuovo indirizzo Elettronico - Add electronic address + Add electronic address Aggiungi indirizzo elettronico - Save User + Save User Salva Utente - Edit User + Edit User Modifica Utente - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Aggiornamento - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Modifica Utente - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/ja/Modules.xlf b/Neos.Neos/Resources/Private/Translations/ja/Modules.xlf index e2fa378718f..74eef38026f 100644 --- a/Neos.Neos/Resources/Private/Translations/ja/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/ja/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Back - Cancel + Cancel キャンセル - Management + Management Management - Contains multiple modules related to management of content + Contains multiple modules related to management of content 複数のモジュール管理に関するコンテンツ - Workspaces + Workspaces ワークスペース - Details for "{0}" + Details for "{0}" Details for "{0}" - Create new workspace + Create new workspace 新しいワークスペース - Create workspace + Create workspace 作成ワークスペース - Delete workspace + Delete workspace ワークスペース削除 - Edit workspace + Edit workspace 編集ワークスペース - Yes, delete the workspace + Yes, delete the workspace はい、削除のワークスペース - Edit workspace "{0}" + Edit workspace "{0}" 編集ワークスペース - Personal workspace + Personal workspace 個人ワークスペース - Private workspace + Private workspace 民間のワークスペース - Internal workspace + Internal workspace 内部のワークスペース - Read-only workspace + Read-only workspace 読み取り専用ワークスペース - Title + Title タイトル - Description + Description 概要 - Base workspace + Base workspace ベースとなるワークスペース - Owner + Owner オーナー - Visibility + Visibility 可視性 - Private + Private 民間 - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace のみ応募には管理者アクセスし、修正するこのワークスペース - Internal + Internal 内部 - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. 他のログインエディタで見をいつでも変更することが含まれます。 - Changes + Changes 変化 - Open page in "{0}" workspace + Open page in "{0}" workspace Open page in "{0}" workspace - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. これはお客様の個人ワークスペースを削除できませんです。 - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. ワークスペースに含まれ変わります。 削除、破棄に変更します。 - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. ワークスペースの削除はできませんのでそのワークスペースに依存します。 - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. んのアクセス権を削除するこのスペースが活用できます。 - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Do you really want to delete the workspace "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. この削除は、ワークスペースを含む全ての未発表の内容です。 この操作はできません下記のいずれかから選択します。 - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. このモジュールの概要のすべての要素内で現在のワークスペースとすることができ続きの見直し、ワークフロー出版しています。 - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unpublished changes in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} additions: {new}, changes: {changed}, removals: {removed} - Review + Review 見直し - Discard selected changes + Discard selected changes 捨選択の変更 - - Publish selected changes - 公開選択の変更 - - Discard all changes + Discard all changes すべての変更を破棄する - Publish all changes + Publish all changes すべての変更を公開する - Publish all changes to {0} + Publish all changes to {0} Publish all changes to {0} - Changed Content + Changed Content 変更内容 - deleted + deleted 削除 - created + created 作成した - moved + moved 移転 - hidden + hidden 隠れた - edited + edited 編集 - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. ありません未発表の変更にこのワークスペースです。 - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Do you really want to discard all changes in the "{0}" workspace? @@ -262,612 +258,612 @@ All changes from workspace "{0}" have been discarded. - History + History History - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. This module provides an overview of all relevant events affecting this Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Here's what happened recently in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. There have not been recorded any events yet which could be displayed in this history. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} created a new user "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} deleted the account "{1}" of {2}. - Load More + Load More Load More - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Administration - Contains multiple modules related to administration + Contains multiple modules related to administration Contains multiple modules related to administration - User Management + User Management User Management - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. - Overview + Overview Overview - Show + Show Show - New + New 新しい - Edit + Edit 編集 - Edit account + Edit account アカウント編集 - New electronic address + New electronic address 新しい電子アドレス - Use system default + Use system default システムデフォルトを使用 - Create user + Create user ユーザの作成 - Create a new user + Create a new user 新規ユーザー - User Data + User Data ユーザデータ - Username + Username ユーザー名 - Password + Password パスワード - Repeat password + Repeat password 繰り返しパスワード - Role(s) + Role(s) Role(s) - Authentication Provider + Authentication Provider Authentication Provider - Use system default + Use system default システムデフォルトを使用 - Personal Data + Personal Data 個人データ - First Name + First Name ファーストネーム - Last Name + Last Name ラストネーム - User Preferences + User Preferences ユーザーの嗜好 - Interface Language + Interface Language インターフェイスの言語 - Create user + Create user ユーザの作成 - Details for user + Details for user 詳細はユーザー - Personal Data + Personal Data 個人データ - Title + Title タイトル - First Name + First Name ファーストネーム - Middle Name + Middle Name ミドルネーム - Last Name + Last Name ラストネーム - Other Name + Other Name 別名 - Accounts + Accounts Accounts - Username + Username ユーザー名 - Roles + Roles Roles - Electronic Addresses + Electronic Addresses Electronic Addresses - Primary + Primary プライマリ - N/A + N/A N/A - Delete User + Delete User Delete User - Edit User + Edit User Edit User - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. ログインしているとしてこのユーザーを削除することはできません。 - Click here to delete this user + Click here to delete this user ここをクリックし削除ユーザー - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - Yes, delete the user + Yes, delete the user はい、削除、ユーザー - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. この削除、ユーザーの関係勘定、個人ワークスペースを含む全ての未発表の内容です。 - This operation cannot be undone + This operation cannot be undone この操作はできません下記のいずれかから選択 - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edit account "{accountIdentifier}" - Account + Account Account - Username + Username ユーザー名 - The username can't be changed via the user interface + The username can't be changed via the user interface のユーザー名の変更はできませんのユーザインタフェース - Save account + Save account 保存座 - Repeat password + Repeat password 繰り返しパスワード - Roles + Roles Roles - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Name - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles 座の役割 - View user + View user ビューのユーザー - Edit user + Edit user 編集ユーザー - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user ユーザー削除 - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. ログインしているとしてこのユーザーを削除することはできません。 - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. この削除、ユーザーの関係勘定、個人ワークスペースを含む全ての未発表の内容です。 - Yes, delete the user + Yes, delete the user はい、削除、ユーザー - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work Work - Package Management + Package Management Package Management - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Sites Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site 新しいサイトを追加 - Create site + Create site Create site - Create a new site + Create a new site Create a new site - Root node name + Root node name ルートノード名 - Domains + Domains ドメイン - Site + Site サイト - Name + Name Name - Default asset collection + Default asset collection デフォルトの資産収集 - Site package + Site package サイトパッケージ - Delete this site + Delete this site このサイトを削除する - Deactivate site + Deactivate site サイトを無効にする - Activate site + Activate site サイトを有効にする - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site はい、サイトを削除します - Import a site + Import a site サイトをインポートする - Select a site package + Select a site package サイトパッケージを選択する - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. 利用可能なサイトパッケージはありません。アクティブなサイトパッケージがあることを確認してください。 - Create a blank site + Create a blank site 空のサイトを作成する - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name サイト名 - Create empty site + Create empty site 空のサイトを作成する - Create a new site package + Create a new site package 新しいサイトパッケージを作成する - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available サイトはありません - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site 新しいサイト - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain 新しいドメイン - Edit domain + Edit domain ドメインの編集 - Domain data + Domain data ドメインデータ - e.g. www.neos.io + e.g. www.neos.io 例えば www.neos.io - State + State 状態 - Create + Create 作成 - Configuration + Configuration Configuration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph 次元間のフォールバックグラフ - Inter dimensional + Inter dimensional 次元間 - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -875,416 +871,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph イントラ次元フォールバックグラフ - Intra dimensional + Intra dimensional イントラ次元 - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. イントラ次元のフォールバックグラフには、各コンテンツディメンション内のフォールバックが表示されます。 - User + User User - User Settings + User Settings User Settings - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit 編集 - Edit + Edit 編集 - New electronic address + New electronic address 新しい電子アドレス - Edit account + Edit account アカウント編集 - Personal Data + Personal Data 個人データ - User Data + User Data ユーザデータ - User Menu + User Menu User Menu - User Preferences + User Preferences ユーザーの嗜好 - Interface Language + Interface Language インターフェイスの言語 - Use system default + Use system default システムデフォルトを使用 - Accounts + Accounts Accounts - Username + Username ユーザー名 - Roles + Roles Roles - Authentication Provider + Authentication Provider Authentication Provider - Electronic addresses + Electronic addresses Electronic addresses - Do you really want to delete + Do you really want to delete いったい削除 - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User Save User - Edit User + Edit User Edit User - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update アップデート - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Edit User - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/km/Modules.xlf b/Neos.Neos/Resources/Private/Translations/km/Modules.xlf index 8c2fd709b11..76c4ed53093 100644 --- a/Neos.Neos/Resources/Private/Translations/km/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/km/Modules.xlf @@ -3,209 +3,205 @@ - Back + Back ត្រលប់ក្រោយ - Cancel + Cancel បោះបង់ - Management + Management គ្រប់គ្រង - Contains multiple modules related to management of content + Contains multiple modules related to management of content មានម៉ូឌុលច្រើនដែលទាក់ទងទៅនឹងការគ្រប់គ្រងនៃមាតិកា - Workspaces + Workspaces លំហរការងារ - Details for "{0}" + Details for "{0}" ពត៌មានលំអិត "{០}" - Create new workspace + Create new workspace បង្កើតតំបន់ការងារថ្មី - Create workspace + Create workspace បង្កើតតំបន់ការងារ - Delete workspace + Delete workspace លុបតំបន់ការងារ - Edit workspace + Edit workspace កែសម្រួលតំបន់ការងារ - Yes, delete the workspace + Yes, delete the workspace បាទ, លុបតំបន់ធ្វើការ - Edit workspace "{0}" + Edit workspace "{0}" កែសម្រួលតំបន់ការងារ - Personal workspace + Personal workspace តំបន់ការងារផ្ទាល់ខ្លួន - Private workspace + Private workspace តំបន់ការងារឯកជន - Internal workspace + Internal workspace តំបន់ការងារផ្ទៃក្នុង - Read-only workspace + Read-only workspace តំបន់ធ្វើការបានតែអាន - Title + Title ចំណងជើង - Description + Description ពិពណ៍នា - Base workspace + Base workspace តំបន់ការងារមូលដ្ឋាន - Owner + Owner ម្ចាស់ - Visibility + Visibility ដែលអាចមើលឃើញ - Private + Private ឯកជន - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace មាន​តែអ្នក​ត្រួត​ពិនិត្យនិងអ្នកគ្រប់គ្រងអាចចូលដំណើរការនិងកែប្រែតំបន់ការងារនេះ - Internal + Internal ផ្ទៃក្នុង - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. រាល់ការចូលទេនៅក្នុងកម្មវិធីនិពន្ធអាចមើលឃើញនិងកែប្រែតំបន់ការងារនេះ - Changes + Changes ផ្លាស់ប្ដូរ - Open page in "{0}" workspace + Open page in "{0}" workspace បើកទំព័រក្នុង "{0}" ចន្លោះការងារ - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. នេះគឺជាតំបន់​ការងារផ្ទាល់ខ្លួនរបស់អ្នកដែលអ្នកមិនអាចលុប - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. តំបន់​ការងារនេះមានការផ្លាស់ប្តូរ។ លុប, បោះបង់ការផ្លាស់ប្តូរជាលើកដំបូង។ - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. កន្លែងធ្វើការមិនអាចត្រូវបាន rebased នៅលើតំបន់​ការងារផ្សេងគ្នាដោយសារតែវានៅតែមានការផ្លាស់ប្តូរ។ - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. តំបន់​ការងារនេះមិនអាចត្រូវបានលុបបានទេព្រោះតំបន់ធ្វើការផ្សេងទៀតពឹងផ្អែកលើវា។ - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. អ្នកមិនមានសិទ្ធិដើម្បីលុបតំបន់​ការងារនេះ។ - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? តើអ្នកពិតជាចង់លុបតំបន់ធ្វើការ "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. វានឹងលុបតំបន់ធ្វើការរួម​ទាំង​ខ្លឹមសារដែលមិនបានផ្សព្វផ្សាយទាំងអស់។ ប្រតិបត្តិការនេះមិនអាចមិនធ្វើ​វិញ​ទេ។ - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. ម៉ូឌុលនេះផ្ទុកទិដ្ឋភាពទូទៅនៃទាំងអស់នៅក្នុងតំបន់ធ្វើការធាតុនាពេលបច្ចុប្បន្ននេះហើយវាអនុញ្ញាតឱ្យបន្តការពិនិត្យនិងការបោះពុម្ពផ្សាយលំហូរការងារសម្រាប់ពួកគេ។ - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" ការផ្លាស់ប្តូរដែលមិនទាន់ដាក់ផ្សាយ - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} ការបន្ថែម: {ថ្មី}, ការផ្លាស់ប្តូរ: {ផ្លាស់ប្តូរ} ដកចេញ: {យកចេញ} - Review + Review ពិនិត្យឡើងវិញ - Discard selected changes + Discard selected changes បេាះបង់ចោលការកែតម្រូវ - - Publish selected changes - ការជ្រើសរើសត្រូវបានផ្លាស់ប្ដូរសំរាប់ដាក់ប្រើប្រាស់ - - Discard all changes + Discard all changes បោះបង់ការផ្លាស់ប្តូរទាំងអស់ - Publish all changes + Publish all changes ផ្សាយរាល់ការផ្លាស់ប្តូរ - Publish all changes to {0} + Publish all changes to {0} បោះពុម្ពផ្សាយការផ្លាស់ប្តូរទាំងអស់ទៅ {0} - Changed Content + Changed Content ផ្លាស់ប្តូរខ្លឹមសារ - deleted + deleted ត្រូវបានលប់ - created + created ត្រូរបានបង្កើត - moved + moved ត្រូវបានផ្ដូរទីតាំង - hidden + hidden លាក់បាំង - edited + edited ត្រូវបានកែរប្រែរ - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. មិនមានការផ្លាស់ប្តូរដែលត្រូវផ្សាយទេនៅក្នុងកន្លែធ្វើការនេះ - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? តើអ្នកពិតជាចង់បោះបង់កំនែរនៅក្នុង កន្លែងការងារ "{0}" @@ -263,614 +259,614 @@ ការផ្លាស់ប្តូរទាំងអស់ពីតំបន់ធ្វើការ "{0}" ត្រូវបានបោះបង់។ - History + History ប្រវត្តិ - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. ម៉ូឌុលមួយនេះ ផ្តល់នូវទិដ្ឋភាពទូទៅនៃព្រឹត្តិការណ៍ពាក់ព័ន្ធទាំងអស់ប៉ះពាល់ពីការដំឡើង Neos។ - Here's what happened recently in Neos + Here's what happened recently in Neos នេះ​គឺ​ជា​អ្វី​ដែល​កើត​ឡើង​ថ្មីៗ​អំពី​ Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. មិនត្រូវបានកត់ត្រាព្រឹត្តិការណ៍​​​​​​​ដែលអាចត្រូវបានបង្ហាញនៅក្នុងប្រវត្តិសាស្រ្តនេះនៅឡើយទេ។ - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} បាន​បង្កើត​អ្នក​ប្រើ​ប្រាស់​ថ្មី "{1}" ដើម្បី {2}។ - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} បាន​លុប​គណនី "{1}" នៃ {2}។ - Load More + Load More ទាញយកបន្ថែមទៀត - This node has been removed in the meantime + This node has been removed in the meantime ថ្នាំងនេះត្រូវបានយកចេញនៅក្នុងពេលតំណាលគ្នានេះ - Administration + Administration រដ្ឋបាល - Contains multiple modules related to administration + Contains multiple modules related to administration ផ្ទុកនូវបណ្ដំុទិន្នន័យជាច្រើនទាក់ទងនិងផ្នែករដ្ឋបាល - User Management + User Management គ្រប់គ្រង​អ្នក​ប្រើប្រាស់ - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. ការគ្រប់គ្រងលើអក្នប្រើប្រាស់ដែលផ្ដល់ឲ្យនូវទិន្នន័យទាំទអស់របស់អក្នប្រើរ។អក្នអាចត្រួតពិនិត្យជាក្រុមជាមួយនិងសិទ្ទនិងសមាជិកក្នុងក្រុម។មឌុលនេះមានសារប្រយោជន៍ដើម្បីប្រាកដថាអក្នប្រើរប្រាស់បានធ្វើតាមកំណត់ - Overview + Overview ការសង្ខេបឡេីងវិញ - Show + Show បង្ហាញ - New + New ថ្មី - Edit + Edit កែប្រែ - Edit account + Edit account គណនីកែសម្រួល - New electronic address + New electronic address បង្កើតអាសយដ្ឋានថ្មី - Use system default + Use system default ប្រើប្រព័ន្ធលំនាំដើម - Create user + Create user ការបង្កើតអក្នប្រើប្រាស់ - Create a new user + Create a new user បង្កើតអ្នកប្រើថ្មី - User Data + User Data ទិន្នន័យរប​ស់​អ្នក​ប្រើ​ប្រាស់ - Username + Username ឈ្មោះ​គណនី - Password + Password ពាក្យ​សម្ងាត់ - Repeat password + Repeat password វាយលេខកូតសំងាត់ម្តងទៀត - Role(s) + Role(s) តួនាទី - Authentication Provider + Authentication Provider ការផ្ដល់ការផ្ទៀងផ្ទាត់ត្រឹមត្រូវ - Use system default + Use system default ប្រើប្រព័ន្ធលំនាំដើម - Personal Data + Personal Data ទិន្នន័យ​ផ្ទាល់​ខ្លួន - First Name + First Name ឈ្មោះ - Last Name + Last Name នាមត្រកូល - User Preferences + User Preferences ជម្រើស​ការប្រើប្រាស់​របស់​អ្នក​​ប្រើ​ប្រាស់​ - Interface Language + Interface Language ភាសារទំព័រមុខ - Create user + Create user ការបង្កើតអក្នប្រើប្រាស់ - Details for user + Details for user លំអិតសំរាប់អក្នប្រើប្រាស់ - Personal Data + Personal Data ទិន្នន័យ​ផ្ទាល់​ខ្លួន - Title + Title ចំណងជើង - First Name + First Name ឈ្មោះ - Middle Name + Middle Name េឈ​្មោះហៅក្រៅ - Last Name + Last Name នាមត្រកូល - Other Name + Other Name ឈ្មោះ ផ្សេងទៀត - Accounts + Accounts គណនី - Username + Username ឈ្មោះ​គណនី - Roles + Roles តួនាទី - Electronic Addresses + Electronic Addresses អាសយដ្ឋានអេឡេចត្រូនិច - Primary + Primary ចម្បង - N/A + N/A គ្មាន​អ្វី​ទំាង​អស់ - Delete User + Delete User លុប​អ្នក​ប្រើ​ប្រាស់​ - Edit User + Edit User កែ​ប្រែ​អ្ន​ក​ប្រើ​ប្រាស់​ - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. អ្នក​មិន​អាច​លុប​គណនី​របស់​ខ្លួន​អ្នកបាន​ទេ - Click here to delete this user + Click here to delete this user ចុចទីនេះដើម្បីលប់អក្នប្រើប្រាស់ - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? តើអក្នចង់លប់អក្នប្រើប្រាស់នេះ? - Yes, delete the user + Yes, delete the user ចាស/បាទលប់អក្នប្រើប្រាស់នេះ - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. វានឹងលុបអ្នកប្រើគណនីពាក់ព័ន្ធនិងតំបន់ការងារផ្ទាល់ខ្លួនរបស់លោករួមទាំងមាតិកាដែលមិនបានផ្សព្វផ្សាយទាំងអស់។ - This operation cannot be undone + This operation cannot be undone ប្រតិបត្តិការនេះមិនអាចមិនធ្វើវិញ - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" កែប្រែគណនី​ "{accountIdentifier}" - Account + Account គណនី - Username + Username ឈ្មោះ​គណនី - The username can't be changed via the user interface + The username can't be changed via the user interface ឈ្មេាះគណនីនេះមិនអាចកែប្រែតាមរបៀបនេះបានឡើយ - Save account + Save account រក្សាគណនី - Repeat password + Repeat password វាយលេខកូតសំងាត់ម្តងទៀត - Roles + Roles តួនាទី - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name ឈ្មោះ - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles គណនីនិងតួនាទី - View user + View user មើលអ្នកប្រើ - Edit user + Edit user កែតម្រូវ - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user លុបអ្នកប្រើ - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. អ្នក​មិន​អាច​លុប​គណនី​របស់​ខ្លួន​អ្នកបាន​ទេ - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? តើអក្នចង់លប់អក្នប្រើប្រាស់នេះ? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. វានឹងលុបអ្នកប្រើគណនីពាក់ព័ន្ធនិងតំបន់ការងារផ្ទាល់ខ្លួនរបស់លោករួមទាំងមាតិកាដែលមិនបានផ្សព្វផ្សាយទាំងអស់។ - Yes, delete the user + Yes, delete the user ចាស/បាទលប់អក្នប្រើប្រាស់នេះ - Edit user "{0}" + Edit user "{0}" កែប្រែអ្នកប្រើ​ {០} - Home + Home ទំព័រដើម - Work + Work ការងារ - Package Management + Package Management គ្រប់​គ្រង​កញ្ចប់ - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. មុខងារនៃការគ្រប់គ្រងកញ្ចប់ផ្ដល់ឱ្យអ្នកនូវទិដ្ឋភាពទូទៅនៃកញ្ចប់ទាំងអស់។ អ្នកអាចធ្វើនិងអសកម្មកញ្ចប់បុគ្គល, បញ្ចូលកញ្ចប់ថ្មីនិងលុបកញ្ចប់ដែលមានស្រាប់ចោល។ វាក៏ផ្តល់ឱ្យអ្នកនូវសមត្ថភាពក្នុង freeze និង unfreeze កញ្ចប់នៅក្នុងបរិបទការអភិវឌ្ឍផងដែរ។ - Available packages + Available packages កញ្ចប់អាចរកបាន - Package Name + Package Name ឈ្មោះកញ្ចប់ - Package Key + Package Key គន្លឹះកញ្ចប់ - Package Type + Package Type ប្រភេទកញ្ចប់ - Deactivated + Deactivated ធ្វើឱ្យអសកម្ម - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. កញ្ចប់នេះបច្ចុប្បន្នកំពុងជាប់គាំង។ ចុចដើម្បី unfreeze វា។ - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. បង្កកកញ្ចប់នៅក្នុងគោលបំណងដើម្បីបង្កើនល្បឿនគេហទំព័ររបស់អ្នក។ - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. កញ្ចប់នេះត្រូវបានការពារនិងមិនអាចត្រូវបានធ្វើឱ្យអសកម្ម។ - Deactivate Package + Deactivate Package កញ្ចប់អសកម្ម - Activate Package + Activate Package ធ្វើឱ្យសកម្មកញ្ចប់ - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. កញ្ចប់នេះត្រូវបានការពារនិងមិនអាចត្រូវបានលុប។ - Delete Package + Delete Package លុបកញ្ចប់ - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? តើអ្នកពិតជាចង់លុប "{0}"? - Yes, delete the package + Yes, delete the package បាទ, លុបកញ្ចប់ - Yes, delete the packages + Yes, delete the packages បាទ, លុបកញ្ចប់ - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? តើអ្នកពិតជាចង់លុបកញ្ចប់ដែលបានជ្រើសឬ? - Freeze selected packages + Freeze selected packages កញ្ចប់ដែលបានបង្កកដែលបានជ្រើសរើស - Unfreeze selected packages + Unfreeze selected packages Unfreeze កញ្ចប់ដែលបានជ្រើស - Delete selected packages + Delete selected packages លុបកញ្ចប់ដែលបានជ្រើស - Deactivate selected packages + Deactivate selected packages អសកម្មកញ្ចប់ដែលបានជ្រើស - Activate selected packages + Activate selected packages ធ្វើឱ្យសកម្មកញ្ចប់ដែលបានជ្រើស - Sites Management + Sites Management គ្រប់គ្រងគេហទំព័រ - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. ម៉ូឌុលគេហទំព័រគ្រប់គ្រងផ្ដល់ឱ្យអ្នកនូវទិដ្ឋភាពទូទៅនៃតំបន់បណ្តាញទាំងអស់។ អ្នកអាចកែសម្រួលបន្ថែមនិងលុបអំពីវិបសាយដូចជាបន្ថែម domain​ ថ្មីរបស់អ្នក។ - Add new site + Add new site Add new site - Create site + Create site បង្កើតវែបសាយ - Create a new site + Create a new site បង្កើតគេហទំព័រថ្មី - Root node name + Root node name Root node name - Domains + Domains Domains - Site + Site តំបន់បណ្តាញ - Name + Name ឈ្មោះ - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration ការកំណត់រចនាសម្ព័ន្ធ - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. មុខងារនៃការកំណត់រចនាសម្ព័ន្ធនេះបានផ្ដល់ឱ្យអ្នកនូវទិដ្ឋភាពទូទៅ នៃប្រភេទការកំណត់រចនាសម្ព័ន្ធទាំងអស់។ - Dimensions + Dimensions វិមាត្រ - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -878,416 +874,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User គណនី - User Settings + User Settings ការកំណត់អ្នកប្រើប្រាស់ - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. មុខងារនេះអនុញ្ញាតឱ្យអ្នកធ្វើការផ្លាស់ប្ដូរកម្មវិធីនៃផ្នែកខាងក្រោយរបស់អ្នកតាមបំណងនៃទម្រង់របស់អ្នកប្រើប្រាស់។ នៅទីនេះ អ្នកអាចផ្លាស់ប្តូរឈ្មោះរបស់អ្នក, ភាសាសកម្មរបស់ប្រព័ន្ធនិងអាស័យដ្ឋានអ៊ីមែល​ របស់អ្នក។ អ្នកអាចកំណត់រចនាសម្ព័ន្ធលក្ខណៈពិសេសទូទៅនៅក្នុងប្រព័ន្ធបាន។ - Edit + Edit កែប្រែ - Edit + Edit កែប្រែ - New electronic address + New electronic address បង្កើតអាសយដ្ឋានថ្មី - Edit account + Edit account គណនីកែសម្រួល - Personal Data + Personal Data ទិន្នន័យ​ផ្ទាល់​ខ្លួន - User Data + User Data ទិន្នន័យរប​ស់​អ្នក​ប្រើ​ប្រាស់ - User Menu + User Menu ម៉ឺនុយរបស់អ្នកប្រើ - User Preferences + User Preferences ជម្រើស​ការប្រើប្រាស់​របស់​អ្នក​​ប្រើ​ប្រាស់​ - Interface Language + Interface Language ភាសារទំព័រមុខ - Use system default + Use system default ប្រើប្រព័ន្ធលំនាំដើម - Accounts + Accounts គណនី - Username + Username ឈ្មោះ​គណនី - Roles + Roles តួនាទី - Authentication Provider + Authentication Provider ការផ្ដល់ការផ្ទៀងផ្ទាត់ត្រឹមត្រូវ - Electronic addresses + Electronic addresses អាស័យដ្ឋានអេឡិចត្រូនិច - Do you really want to delete + Do you really want to delete តើអ្នកពិតជាចង់លុបមែនហ៎ - Yes, delete electronic address + Yes, delete electronic address យល់ព្រមលុប អាស័យដ្ឋាន អេឡិចត្រូនិ - Click to add a new Electronic address + Click to add a new Electronic address ចុចដើម្បីបន្ថែមអាស័យដ្ឋានអេឡិចត្រូនិថ្មីមួយ - Add electronic address + Add electronic address បន្ថែមអាសយដ្ឋាន អេឡិចត្រូនិ - Save User + Save User រក្សាទុកអ្នកប្រើប្រាស់ - Edit User + Edit User កែ​ប្រែ​អ្ន​ក​ប្រើ​ប្រាស់​ - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update ទំនើបកម្ម - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User កែ​ប្រែ​អ្ន​ក​ប្រើ​ប្រាស់​ - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/lv/Modules.xlf b/Neos.Neos/Resources/Private/Translations/lv/Modules.xlf index 5d022129b51..5c6d29b5f3a 100644 --- a/Neos.Neos/Resources/Private/Translations/lv/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/lv/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Atpakaļ - Cancel + Cancel Atcelt - Management + Management Vadība - Contains multiple modules related to management of content + Contains multiple modules related to management of content Satur vairākus moduļus, kas saistīti ar satura pārvaldību - Workspaces + Workspaces Darba virsmas - Details for "{0}" + Details for "{0}" Informācija par {0} - Create new workspace + Create new workspace Izveidot jaunu darba virsmu - Create workspace + Create workspace Izveidot darba virsmu - Delete workspace + Delete workspace Dzēst darba virsmu - Edit workspace + Edit workspace Rediģēt darba virsmu - Yes, delete the workspace + Yes, delete the workspace Jā, dzēst darba virsmu - Edit workspace "{0}" + Edit workspace "{0}" Rediģēt darba virsmu - Personal workspace + Personal workspace Personāla darba virsma - Private workspace + Private workspace Privāta darba virsma - Internal workspace + Internal workspace Iekšējā darba virsma - Read-only workspace + Read-only workspace Tikai lasāma darba virsma - Title + Title Virsraksts - Description + Description Apraksts - Base workspace + Base workspace Pamata darba virsma - Owner + Owner Īpašnieks - Visibility + Visibility Redzamība - Private + Private Privāts - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Tikai recenzenti un administratori var piekļūt un modificēt šo darba virsmu - Internal + Internal Iekšēji - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Autorizēts redaktors var redzēt un rediģēt šo darba virsmu. - Changes + Changes Izmaiņas - Open page in "{0}" workspace + Open page in "{0}" workspace Atvērt lapu "{0}" darba virsmā - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Tā ir jūsu personīgā darba virsma, kuru nevar izdzēst. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Darba virsma satur izmaiņas. Lai izdzēstu, vispirms atceļiet veiktās izmaiņas. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Darba virsmu nevar pārvietot uz citu, jo tajā vēl joprojām ir izmaiņas. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Darba virsmu nevar izdzēst, jo citas darba virsmas ir atkarīgas no tās. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Jums nav atļaujas dzēst šo darba virsmu. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Vai tiešām vēlaties izdzēst darba virsmu, "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Ar šo tiks izdzēsta darba virsma, ieskaitot visu nepublicētu saturu. Šo darbību nevar atsaukt. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Šis modulis ietver visu esošās darbav virsmas elementu pārskatu, dod iespēju tos komentēt un publicēt. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Nepublicētās izmaiņas darba vietā "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} papildinājumi: {new}, izmaiņas: {changed}, noņemšana: {removed} - Review + Review Recenzija - Discard selected changes + Discard selected changes Atcelt iezīmētās izmaiņas - - Publish selected changes - Publicēt iezīmētās izmaiņas - - Discard all changes + Discard all changes Atcelt visas izmaiņas - Publish all changes + Publish all changes Publicēt visas izmaiņas - Publish all changes to {0} + Publish all changes to {0} Publicētu visas izmaiņas {0} - Changed Content + Changed Content Mainīts saturs - deleted + deleted dzēsts - created + created izveidots - moved + moved pārvietots - hidden + hidden paslēpts - edited + edited labots - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Nav nepublicētu izmaiņu šajā darba virsmā. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Vai vēlaties atcelt visas izmaiņas šajā {0} darba virsmā? @@ -266,612 +262,612 @@ Visas izmaiņas no darba virsmas "{0}" ir atceltas. - History + History Vēsture - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Šis modulis sniedz apskatu par visām darbībām, kas ietekmē šo Neos instalāciju. - Here's what happened recently in Neos + Here's what happened recently in Neos Lūk, kas nesen notika Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Nav reģistrētu notikumu, ko varētu parādīt šajā vēsturē. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} izveidoja {1} {2}. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} izdzēsa {1} {2}. - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} izveidoja versiju {1} no {2} {3}. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modificēja {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} pārvietoja {1} {2}. - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} nokopēja {1} {2}. - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} pārdēvēja {1} "{2}" uz "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} izmainīja saturu {1} {2}. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} izveidoja jaunu lietotāju "{1}" {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} izdzēsa kontu "{1}" {2}. - Load More + Load More Ielādēt vairāk - This node has been removed in the meantime + This node has been removed in the meantime Šis mezgls šobrīd tiek izņemts - Administration + Administration Administrācija - Contains multiple modules related to administration + Contains multiple modules related to administration Satur vairākus administrācijas moduļus - User Management + User Management Lietotāju pārvaldība - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Lietotāja pārvaldības modulis sniedz pārskatu par visiem sistēmas lietotājiem. Tos var grupēt pēc to atļaujām, pieslēgumiem, dalībnieku grupām utt. Šis modulis ir neaizstājams, lai konfigurētu lietotāju uzstādījumus. - Overview + Overview Pārskats - Show + Show Rādīt - New + New Jauns - Edit + Edit Labot - Edit account + Edit account Rediģēt kontu - New electronic address + New electronic address Jaunā elektroniskā adrese - Use system default + Use system default Izmantot sistēmas noklusējumu - Create user + Create user Izveidot lietotāju - Create a new user + Create a new user Izveidot jaunu lietotāju - User Data + User Data Lietotāja dati - Username + Username Lietotājvārds - Password + Password Parole - Repeat password + Repeat password Atkārtot paroli - Role(s) + Role(s) Loma (s) - Authentication Provider + Authentication Provider Autentifikācijas sniedzējs - Use system default + Use system default Izmantot sistēmas noklusējumu - Personal Data + Personal Data Lietotāja informācija - First Name + First Name Vārds - Last Name + Last Name Uzvārds - User Preferences + User Preferences Lietotāja uzstādījumi - Interface Language + Interface Language Vadības valoda - Create user + Create user Izveidot lietotāju - Details for user + Details for user Informācija lietotājam - Personal Data + Personal Data Lietotāja informācija - Title + Title Virsraksts - First Name + First Name Vārds - Middle Name + Middle Name Tēvvārds - Last Name + Last Name Uzvārds - Other Name + Other Name Cits nosaukums - Accounts + Accounts Konti - Username + Username Lietotājvārds - Roles + Roles Lomas - Electronic Addresses + Electronic Addresses Elektroniskās adreses - Primary + Primary Galvenais - N/A + N/A Nav datu - Delete User + Delete User Dzēst lietotāju - Edit User + Edit User Rediģēt lietotāju - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Ja esiet reģistrējies kā lietotājs, tad savus ievadītos datus jūs nevarat izdzēst. - Click here to delete this user + Click here to delete this user Uzklikšķiniet šeit lai izdzēstu šo lietotāju - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vai tiešām vēlaties dzēst lietotāju "{0}"? - Yes, delete the user + Yes, delete the user Jā, dzēst lietotāju - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Tiks dzēsts lietotājs, saistītie konti un viņa personīgā darba virsma, ieskaitot visu nepublicētu saturu. - This operation cannot be undone + This operation cannot be undone Šo darbību nevar atsaukt - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Rediģēt kontu "{accountIdentifier}" - Account + Account Konts - Username + Username Lietotājvārds - The username can't be changed via the user interface + The username can't be changed via the user interface Lietotājvārdu nevar mainīt izmantojot lietotāja interfeisu - Save account + Save account Saglabāt kontu - Repeat password + Repeat password Atkārtot paroli - Roles + Roles Lomas - Directly assigned privilege + Directly assigned privilege Tieši piešķirta privilēģija - Name + Name Vārds - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Konti un lomas - View user + View user Skatīt lietotāju - Edit user + Edit user Rediģēt lietotāju - Not enough privileges to edit this user + Not enough privileges to edit this user Nepietiek tiesību rediģēt šo lietotāju - Not enough privileges to delete this user + Not enough privileges to delete this user Nav pietiekamu privilēģiju, lai dzēstu šo lietotāju - Delete user + Delete user Dzēst lietotāju - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Ja esiet reģistrējies kā lietotājs, tad savus ievadītos datus jūs nevarat izdzēst. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vai tiešām vēlaties dzēst lietotāju "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Tiks dzēsts lietotājs, saistītie konti un viņa personīgā darba virsma, ieskaitot visu nepublicētu saturu. - Yes, delete the user + Yes, delete the user Jā, dzēst lietotāju - Edit user "{0}" + Edit user "{0}" Rediģēt lietotāju "{0}" - Home + Home Sākumlapa - Work + Work Darbs - Package Management + Package Management Pakotnes pārvaldība - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Pakotnes vadības modulis sniedz pārskatu par visām pakotnēm. Ar to jūs varat aktivizēt un deaktivizēt pakotnes, importēt jaunas pakotnes un izdzēst esošās. Tas dod iespēju ieslēgt un izslēgt pakotnes izstrādes kontekstā. - Available packages + Available packages Pieejamās pakotnes - Package Name + Package Name Pakotnes nosaukums - Package Key + Package Key Pakotnes atslēga - Package Type + Package Type Pakotnes tips - Deactivated + Deactivated Deaktivizēt - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Pašlaik šī pakotne ir iesaldēta. Noklikšķiniet lai atsaldētu. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Iesaldējiet paketi lai paātrinātu jūsu mājas lapas darbību. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Šī pakeotne ir aizsargāta un to nevar deaktivizēt. - Deactivate Package + Deactivate Package Deaktivizēt pakotni - Activate Package + Activate Package Aktivizēt pakotni - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Šī pakotne ir aizsargāta un to nevar izdzēst. - Delete Package + Delete Package Dzēst pakotni - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Vai tiešām vēlaties dzēst "{0}"? - Yes, delete the package + Yes, delete the package Jā, dzēst pakotni - Yes, delete the packages + Yes, delete the packages Jā, dzēst pakotnes - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Vai tiešām vēlaties dzēst iezīmētās pakotnes? - Freeze selected packages + Freeze selected packages Iesaldēt atzīmētās pakotnes - Unfreeze selected packages + Unfreeze selected packages Atsaldēt atlasītās pakotnes - Delete selected packages + Delete selected packages Dzēst atzīmētās pakotnes - Deactivate selected packages + Deactivate selected packages Deaktivizēt atzīmētās pakotnes - Activate selected packages + Activate selected packages Aktivizēt atzīmētās pakotnes - Sites Management + Sites Management Vietņu pārvaldība - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Vietņu pārvaldības modulis sniedz apskatu par visām vietām. Jūs varat rediģēt, pievienot vai dzēst informāciju par jūsu vietnēm, piemēram, pievienojot jaunu domēnu. - Add new site + Add new site Pievienot jaunu vietni - Create site + Create site Vietnes izveide - Create a new site + Create a new site Izveidot jaunu vietni - Root node name + Root node name Saknes mezgla nosaukums - Domains + Domains Domēns - Site + Site Vietne - Name + Name Vārds - Default asset collection + Default asset collection Noklusētā mediju kolekcija - Site package + Site package Vietnes pakotne - Delete this site + Delete this site Izdzēsiet šo vietni - Deactivate site + Deactivate site Deaktivizēt vietni - Activate site + Activate site Aktivizēt vietni - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vai jūs tiešām vēlaties dzēst "{0}"? Šo darbību nav iespējams atsaukt. - Yes, delete the site + Yes, delete the site Jā, dzēst vietni - Import a site + Import a site Importēt vietni - Select a site package + Select a site package Izvēlieties vietnes pakotni - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Nav pieejamas vietnes pakotnes. Pārliecinieties, vai jums ir aktīva vietnes pakotne. - Create a blank site + Create a blank site Izveidot jaunu vietni - Select a document nodeType + Select a document nodeType Iezīmējiet dokumenta nodeType - Select a site generator + Select a site generator Izvēlieties vietnes ģeneratoru - Site name + Site name Vietnes nosaukums - Create empty site + Create empty site Izveidot tukšu vietni - Create a new site package + Create a new site package Izveidot jaunu vietnes pakotni - VendorName.MyPackageKey + VendorName.MyPackageKey Izstradatajs.ManaPakotnesAtslega - No sites available + No sites available Nav pieejama vietņu - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. <em>Neos Kickstarter</em> pakotne nav instalēta, vispirms instalējiet to izmantojot kickstart komandu veidojot jaunu pakotni. - New site + New site Jauna tīmekļa vietne - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Vai jūs tiešām vēlaties dzēst "{0}"? Šo darbību nav iespējams atsaukt. - New domain + New domain Jauns domēns - Edit domain + Edit domain Rediģēt domēnu - Domain data + Domain data Domēna dati - e.g. www.neos.io + e.g. www.neos.io piemēram, www.neos.io - State + State Stāvoklis - Create + Create Izveidot - Configuration + Configuration Konfigurācija - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Iestatījuma modulis dod pārskatu par visiem iestatījuma veidiem. - Dimensions + Dimensions Izmēri - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Piešķir grafisko pārskatu par konfigurētajiem elementu savienojumiem katrai satura dimensijai. - Inter dimensional fallback graph + Inter dimensional fallback graph Elementu savstarpējo savienojumu diagramma - Inter dimensional + Inter dimensional Elementu ārējie savienojumi - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Elementu savstarpējo savienojumu diagrammas parāda iespējamos savienojumus starp papildelementiem (Satura dimensiju kombinācijas, kas parādīti kā mezgli). @@ -879,420 +875,420 @@ Primārie elementu savienojumu iezīmēti zilā krāsā, mazākas prioritātes s Iezīmējiet vienu no mezgliem redzēsiet visus iespējamos elementu (mezglu) savienojumus. Uzklikšķiniet lai atceltu filtru. - Intra dimensional fallback graph + Intra dimensional fallback graph Elementu savstarpējo savienojumu diagramma - Intra dimensional + Intra dimensional Elementu iekšējie savienojumi - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Satura dimensijas elementu savstarpējo savienojumu diagramma. - User + User Lietotājs - User Settings + User Settings Lietotāja iestatījumi - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Šis modulis ļauj pielāgot redaktora lietotāja profilu. Šeit jūs varat mainīt aktīvo sistēmas valodu, vārdu un e-pasta adresi. Jūs varat konfigurēt arī citas iespējas sistēmā. - Edit + Edit Labot - Edit + Edit Labot - New electronic address + New electronic address Jaunā elektroniskā adrese - Edit account + Edit account Rediģēt kontu - Personal Data + Personal Data Lietotāja informācija - User Data + User Data Lietotāja dati - User Menu + User Menu Lietotāja izvēlne - User Preferences + User Preferences Lietotāja uzstādījumi - Interface Language + Interface Language Vadības valoda - Use system default + Use system default Izmantot sistēmas noklusējumu - Accounts + Accounts Konti - Username + Username Lietotājvārds - Roles + Roles Lomas - Authentication Provider + Authentication Provider Autentifikācijas sniedzējs - Electronic addresses + Electronic addresses Elektroniskās adreses - Do you really want to delete + Do you really want to delete Vai tiešām vēlaties izdzēst - Yes, delete electronic address + Yes, delete electronic address Jā, dzēst elektronisko adresi - Click to add a new Electronic address + Click to add a new Electronic address Uzklikšķiniet, lai pievienotu jaunu elektronisko adresi - Add electronic address + Add electronic address Pievienot elektronisko adresi - Save User + Save User Saglabāt lietotāju - Edit User + Edit User Rediģēt lietotāju - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. Konfigurācijas validācijas laikā radās kļūda. - Configuration type not found. + Configuration type not found. Konfigurācijas veids nav atrasts. - Site package not found + Site package not found Vietnes pakotne nav atrasta - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. Vietnes pakotne "{0}" netika atrasta. - Update + Update Atjaunināt - The site "{0}" has been updated. + The site "{0}" has been updated. Vietne "{0}" ir atjaunināta. - Missing Package + Missing Package Trūkst pakotne - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. Lai izveidotu jaunas vietnes pakotnes, ir nepieciešama pakotne "{0}". - Invalid package key + Invalid package key Nederīga "package key" - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. Vietne tika importēta. - Import error + Import error Importēšanas kļūda - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Kļūda: importējot "Vietnes.xml" no pakotnes "{0}", radās izņēmums: {1} - Site creation error + Site creation error Vietnes izveides kļūda - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Vietnes izveides kļūda - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Vietnes izveides kļūda - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Rediģēt lietotāju - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - Last Login + Last Login Pēdējā pieteikšanās diff --git a/Neos.Neos/Resources/Private/Translations/nl/Modules.xlf b/Neos.Neos/Resources/Private/Translations/nl/Modules.xlf index 6e764a9efab..868ed1831a7 100644 --- a/Neos.Neos/Resources/Private/Translations/nl/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/nl/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Terug - Cancel + Cancel Annuleren - Management + Management Beheer - Contains multiple modules related to management of content + Contains multiple modules related to management of content Bevat meerdere modules die in relatie staan tot het beheer van content - Workspaces + Workspaces Werkruimten - Details for "{0}" + Details for "{0}" Details voor "{0}" - Create new workspace + Create new workspace Maak nieuwe workspace aan - Create workspace + Create workspace Maak workspace aan - Delete workspace + Delete workspace Verwijder workspace - Edit workspace + Edit workspace Wijzig workspace - Yes, delete the workspace + Yes, delete the workspace Ja, verwijder de workspace - Edit workspace "{0}" + Edit workspace "{0}" Wijzig workspace - Personal workspace + Personal workspace Persoonlijke workspace - Private workspace + Private workspace Privé workspace - Internal workspace + Internal workspace Interne workspace - Read-only workspace + Read-only workspace Alleen-lezen workspace - Title + Title Titel - Description + Description Omschrijving - Base workspace + Base workspace Basis workspace - Owner + Owner Eigenaar - Visibility + Visibility Zichtbaarheid - Private + Private Privé - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Alleen reviewers en administrators hebben toegang en kunnen wijzigingen aanbrengen in deze workspace - Internal + Internal Intern - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Iedere ingelogde redacteur kan deze workspace bekijken en wijzigen. - Changes + Changes Wijzigingen - Open page in "{0}" workspace + Open page in "{0}" workspace Open pagina in "{0}" workspace - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Dit is uw persoonlijke workspace die u niet kunt verwijderen. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. De workspace bevat wijzigingen. Om deze te verwijderen dient u eerst de wijzigingen ongedaan te maken. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. De workspace kan niet worden verplaatst omdat deze nog wijzigingen bevat. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. De workspace kan niet verwijderd worden omdat andere workspaces van deze workspace afhankelijk zijn. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. U heeft niet voldoende rechten om deze workspace te verwijderen. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Weet u zeker dat u deze workspace "{0}" wilt verwijderen? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Dit verwijdert de workspace inclusief alle ongepubliceerde content. Deze actie kan niet ongedaan worden gemaakt. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Deze module bevat een overzicht van alle elementen in de huidige workspace en geeft de mogelijkheid de review en publicatie workflow voort te zetten. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Niet gepubliceerde wijzigingen in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} toevoegingen: {new}, wijzigingen: {changed}, verwijderd: {removed} - Review + Review Herziening - Discard selected changes + Discard selected changes Geselecteerde wijzigingen verwijderen - - Publish selected changes - Geselecteerde wijzigingen publiceren - - Discard all changes + Discard all changes Alle wijzigingen negeren - Publish all changes + Publish all changes Alle wijzigingen publiceren - Publish all changes to {0} + Publish all changes to {0} Publiceer alle wijzigingen naar {0} - Changed Content + Changed Content Gewijzigde content - deleted + deleted verwijderd - created + created aangemaakt - moved + moved verplaatst - hidden + hidden verborgen - edited + edited bewerkt - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Er zijn geen niet gepubliceerde wijzigingen in deze workspace. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Wilt u echt alle wijzigingen in workspace "{0}" annuleren? @@ -230,10 +226,12 @@ Did not delete workspace "{0}" because it currently contains {1} node. - Workspace "{0}" is niet verwijderd omdat het {1} node bevat. + Workspace "{0}" is niet verwijderd omdat het {1} node bevat. + Did not delete workspace "{0}" because it currently contains {1} nodes. - Workspace "{0}" is niet verwijderd omdat het {1} nodes bevat. + Workspace "{0}" is niet verwijderd omdat het {1} nodes bevat. + The workspace "{0}" has been removed. @@ -264,612 +262,612 @@ Alle wijzigingen van workspace "{0}" zijn ongedaan gemaakt. - History + History Geschiedenis - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Deze module biedt een overzicht van alle relevante gebeurtenissen op het gebied van deze Neos-installatie. - Here's what happened recently in Neos + Here's what happened recently in Neos Hier is wat er onlangs is gebeurd in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Er zijn nog geen gebeurtenissen die kunnen worden weergegeven in deze geschiedenis. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} heeft de {1} "{2} " gemaakt. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} verwijderde de {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} heeft de variant {1} van de {2} "{3} " gemaakt. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} wijzigde de {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} verplaatste de {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} kopieerde de {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} heeft de naam {1} "{2}" gewijzigd naar "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} heeft de inhoud van de {1} "{2} " gewijzigd. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} heeft een nieuwe gebruiker "{1}" gemaakt voor {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} heeft het account "{1}" verwijderd van {2}. - Load More + Load More Meer laden - This node has been removed in the meantime + This node has been removed in the meantime Intussen werd deze node verwijders - Administration + Administration Administratie - Contains multiple modules related to administration + Contains multiple modules related to administration Bevat meerdere modules gerelateerd aan administratie - User Management + User Management Gebruikersbeheer - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. De Gebruikersbeheer module biedt u met een overzicht van alle gebruikers van de backend. U kunt hen groeperen op basis van hen eigenschappen zodat u in staat bent hun machtigingen, filemounts, zijn rollen enz. te monitoren. Deze module is een onmisbaar instrument om ervoor te zorgen dat de gebruikers correct zijn geconfigureerd. - Overview + Overview Overzicht - Show + Show Toon - New + New Nieuw - Edit + Edit Bewerken - Edit account + Edit account Bewerk account - New electronic address + New electronic address Nieuw electronisch adres - Use system default + Use system default Systeemstandaard gebruiken - Create user + Create user Gebruiker aanmaken - Create a new user + Create a new user Maak een nieuwe gebruiker aan - User Data + User Data Gebruikersgegevens - Username + Username Gebruikersnaam - Password + Password Wachtwoord - Repeat password + Repeat password Wachtwoord herhalen - Role(s) + Role(s) Rol(len) - Authentication Provider + Authentication Provider Verificatieprovider - Use system default + Use system default Systeemstandaard gebruiken - Personal Data + Personal Data Persoonlijke gegevens - First Name + First Name Voornaam - Last Name + Last Name Achternaam - User Preferences + User Preferences Gebruikersvoorkeuren - Interface Language + Interface Language Taal van de gebruikersinterface - Create user + Create user Gebruiker aanmaken - Details for user + Details for user Details voor gebruiker - Personal Data + Personal Data Persoonlijke gegevens - Title + Title Titel - First Name + First Name Voornaam - Middle Name + Middle Name Tussenvoegsel - Last Name + Last Name Achternaam - Other Name + Other Name Achtervoegsel - Accounts + Accounts Gebruikers Accounts - Username + Username Gebruikersnaam - Roles + Roles Rollen - Electronic Addresses + Electronic Addresses Elektronische adressen - Primary + Primary Primair - N/A + N/A N/B - Delete User + Delete User Gebruiker verwijderen - Edit User + Edit User Gebruiker bewerken - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. U bent aangemeld als deze gebruiker en u kan uzelf niet verwijderen. - Click here to delete this user + Click here to delete this user Klik hier als u deze gebruiker wilt verwijderen - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Weet u zeker dat u gebruiker "{0}" wilt verwijderen? - Yes, delete the user + Yes, delete the user Ja, verwijder de gebruiker - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dit zal de gebruiker, de gerelateerde gebruiker accounts en zijn persoonlijke werkplek, met inbegrip van alle niet-gepubliceerde inhoud verwijderen. - This operation cannot be undone + This operation cannot be undone Deze bewerking kan niet ongedaan worden gemaakt - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" "{accountIdentifier}" bewerken - Account + Account Gebruiker account - Username + Username Gebruikersnaam - The username can't be changed via the user interface + The username can't be changed via the user interface De gebruikersnaam kan niet worden gewijzigd via de gebruikersinterface - Save account + Save account Account opslaan - Repeat password + Repeat password Wachtwoord herhalen - Roles + Roles Rollen - Directly assigned privilege + Directly assigned privilege Direct toegewezen privilege - Name + Name Naam - From Parent Role "{role}" + From Parent Role "{role}" Van ouder rol "{role}" - Accounts and Roles + Accounts and Roles Accounts en rollen - View user + View user Gebruiker bekijken - Edit user + Edit user Gebruiker aanpassen - Not enough privileges to edit this user + Not enough privileges to edit this user Niet voldoende privileges om deze gebruiker te mogen wijzigen - Not enough privileges to delete this user + Not enough privileges to delete this user Niet voldoende privileges om deze gebruiker te mogen verwijderen - Delete user + Delete user Gebruiker verwijderen - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. U bent aangemeld als deze gebruiker en u kan uzelf niet verwijderen. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Weet u zeker dat u gebruiker "{0}" wilt verwijderen? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dit zal de gebruiker, de gerelateerde gebruiker accounts en zijn persoonlijke werkplek, met inbegrip van alle niet-gepubliceerde inhoud verwijderen. - Yes, delete the user + Yes, delete the user Ja, verwijder de gebruiker - Edit user "{0}" + Edit user "{0}" Gebruiker "{0}" aanpassen - Home + Home Beginscherm - Work + Work Werk - Package Management + Package Management Pakketbeheer - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. De module "Pakkettenmanagement" biedt u een overzicht van alle pakketten. U kunt individuele pakketten activeren en deactiveren, nieuwe pakketten importeren en bestaande pakketten verwijderen. Het biedt u ook de mogelijkheid om pakketten te vergrendelen/ontgrendelen in de "development" context. - Available packages + Available packages Beschikbare pakketten - Package Name + Package Name Pakketnaam - Package Key + Package Key Pakketcode - Package Type + Package Type Pakkettype - Deactivated + Deactivated Uitgeschakeld - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Dit pakket is momenteel vergrendeld. Klik om deze te ontgrendelen. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Vergrendel dit pakket om je website sneller te laten lopen. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Dit pakket is beschermd en kan daarom niet worden uitgeschakeld. - Deactivate Package + Deactivate Package Pakket uitschakelen - Activate Package + Activate Package Pakket inschakelen - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Dit pakket is beschermd en kan daarom niet worden verwijderd. - Delete Package + Delete Package Pakket verwijderen - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Weet je zeker dat je "{0}" wilt verwijderen? - Yes, delete the package + Yes, delete the package Ja, verwijder het pakket - Yes, delete the packages + Yes, delete the packages Ja, verwijder de pakketten - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Weet je zeker dat je de geselecteerde pakketten wil verwijderen? - Freeze selected packages + Freeze selected packages Vergrendel de geselecteerde pakketten - Unfreeze selected packages + Unfreeze selected packages Ontgrendel de geselecteerde pakketten - Delete selected packages + Delete selected packages Verwijder de geselecteerde pakketten - Deactivate selected packages + Deactivate selected packages Schakel de geselecteerde pakketten uit - Activate selected packages + Activate selected packages Schakel de geselecteerde pakketten in - Sites Management + Sites Management Site Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. De Sites Management module biedt u met een overzicht van alle sites. U kunt informatie over uw sites bewerken, toevoegen en verwijderen, zoals bijvoorbeeld het toevoegen van een nieuwe domeinnaam. - Add new site + Add new site Nieuwe site toevoegen - Create site + Create site Site aan maken - Create a new site + Create a new site Een nieuwe site aan maken - Root node name + Root node name Root node naam - Domains + Domains Domeinen - Site + Site Site - Name + Name Naam - Default asset collection + Default asset collection Standaard asset collectie - Site package + Site package Site pakket - Delete this site + Delete this site Verwijder deze site - Deactivate site + Deactivate site Site deactiveren - Activate site + Activate site Site activeren - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Weet u zeker dat u "{0}" wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt. - Yes, delete the site + Yes, delete the site Ja, verwijder de site - Import a site + Import a site Importeer een site - Select a site package + Select a site package Selecteer een site pakket - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Er zijn geen sitepakketten beschikbaar. Zorg ervoor dat je een actief sitepakket hebt. - Create a blank site + Create a blank site Maak een lege site aan - Select a document nodeType + Select a document nodeType Selecteer een document nodeType - Select a site generator + Select a site generator Selecteer een site generator - Site name + Site name Naam site - Create empty site + Create empty site Maak een lege site - Create a new site package + Create a new site package Maak een nieuw site pakket aan - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available Geen sites beschikbaar - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Het <em>Neos Kickstarter</em> pakket is niet geïnstalleerd, installeer het om nieuwe sites te starten. - New site + New site Nieuwe site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Weet u zeker dat u "{0}" wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt. - New domain + New domain Nieuw domein - Edit domain + Edit domain Domein bewerken - Domain data + Domain data Domein gegevens - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State Status - Create + Create Aanmaken - Configuration + Configuration Configuratie - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. De module configuratie biedt u een overzicht van alle configuratie types. - Dimensions + Dimensions Dimensies - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Laat een grafisch overzicht zien van de geconfigureerde fallbacks binnen elke afzonderlijke contentdimensie en over alle contentdimensies. - Inter dimensional fallback graph + Inter dimensional fallback graph Interdimensionale fallback grafiek - Inter dimensional + Inter dimensional Interdimensioneel - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. De interdimensionele fallback grafiek laat alle mogelijk fallbacks zien (getoond als randen) tussen subgrafieken (contentdimensies waarde combinaties, getoond als nodes). @@ -877,416 +875,416 @@ Primaire fallbacks zijn gemarkeerd in blauw en altijd zichtbaar, terwijl fallbac Hoe hoger de prioriteit, des te groter de ondoorzichtbaarheid. Klik op een van de nodes om de fallbacks en varianten te bekijken. Nogmaals klikken om het filter te verwijderen. - Intra dimensional fallback graph + Intra dimensional fallback graph Intradimensionele fallback grafiek - Intra dimensional + Intra dimensional Intradimensioneel - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. De intradimensionele fallback grafiek toont fallbacks binnen elke contentdimensie. - User + User Gebruiker - User Settings + User Settings Gebruikersinstellingen - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Deze module geeft u de mogelijkheid uw backend gebruikersprofiel aan te passen. Hier kunt u uw actieve systeem taal, naam en e-mailadres wijzigen. U kunt ook andere algemene instellingen configureren in het systeem. - Edit + Edit Bewerken - Edit + Edit Bewerken - New electronic address + New electronic address Nieuw electronisch adres - Edit account + Edit account Bewerk account - Personal Data + Personal Data Persoonlijke gegevens - User Data + User Data Gebruikersgegevens - User Menu + User Menu Gebruikersmenu - User Preferences + User Preferences Gebruikersvoorkeuren - Interface Language + Interface Language Taal van de gebruikersinterface - Use system default + Use system default Systeemstandaard gebruiken - Accounts + Accounts Gebruikers Accounts - Username + Username Gebruikersnaam - Roles + Roles Rollen - Authentication Provider + Authentication Provider Verificatieprovider - Electronic addresses + Electronic addresses Elektronische adressen - Do you really want to delete + Do you really want to delete Weet je zeker dat je dit wilt verwijderen - Yes, delete electronic address + Yes, delete electronic address Ja, elektronische adres verwijderen - Click to add a new Electronic address + Click to add a new Electronic address Klik om een nieuw elektronisch adres toe te voegen - Add electronic address + Add electronic address Elektronisch adres toevoegen - Save User + Save User Gebruiker Opslaan - Edit User + Edit User Gebruiker bewerken - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. Er is een fout opgetreden bij de validatie van de configuratie. - Configuration type not found. + Configuration type not found. Configuratietype niet gevonden. - Site package not found + Site package not found Site pakket niet gevonden - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. Het site pakket met waarde "{0}" kon niet gevonden worden. - Update + Update Bijwerken - The site "{0}" has been updated. + The site "{0}" has been updated. De site "{0}" is bijgewerkt. - Missing Package + Missing Package Ontbrekend pakket - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. Het pakket "{0}" is benodigd om een nieuwe site pakket te kunnen maken. - Invalid package key + Invalid package key Ongeldige pakketcode - The package key "{0}" already exists. + The package key "{0}" already exists. Sitepakket "{0}" bestaat al. - Site package {0} was created. + Site package {0} was created. Sitepakket "{0}" is aangemaakt. - The site has been imported. + The site has been imported. De site is geïmporteerd. - Import error + Import error Importeerfout - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Fout: Tijdens het importeren van de "Sites.xml" van het pakket "{0}" is een uitzondering opgetreden: {1} - Site creation error + Site creation error Site aanmaakfout - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Fout: Een site met node naam "{0}" bestaat al - Site creation error + Site creation error Site aanmaakfout - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Fout: Het opgegeven node type "{0}" bestaat niet - Site creation error + Site creation error Site aanmaakfout - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Fout: Het opgegeven node type "%s" is niet gebaseerd op het supertype "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Site "{0}" succesvol aangemaakt met siteNode "{1}", type "{2}" and pakketcode "{3}" - Site deleted + Site deleted Site verwijderd - The site "{0}" has been deleted. + The site "{0}" has been deleted. De site "{0}" is verwijderd. - Site activated + Site activated Site geactiveerd - The site "{0}" has been activated. + The site "{0}" has been activated. De site "{0}" is geactiveerd. - Site deactivated + Site deactivated Site gedeactiveerd - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. De site "{0}" is gedeactiveerd. - Domain updated + Domain updated Domein is bijgewerkt - The domain "{0}" has been updated. + The domain "{0}" has been updated. Het domein "{0}" is bijgewerkt. - Domain created + Domain created Domein aangemaakt - The domain "{0}" has been created. + The domain "{0}" has been created. Het domein "{0}" is aangemaakt. - Domain deleted + Domain deleted Domein is verwijderd - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. Het domein "{0}" is verwijderd. - Domain activated + Domain activated Domein geactiveerd - The domain "{0}" has been activated. + The domain "{0}" has been activated. Het domein "{0}" is geactiveerd. - Domain deactivated + Domain deactivated Domein is gedeactiveerd - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. Het domein "{0}" is gedeactiveerd. - User created + User created Gebruiker aangemaakt - The user "{0}" has been created. + The user "{0}" has been created. De gebruiker "{0}" is aangemaakt. - User creation denied + User creation denied Aanmaken van gebruiker afgewezen - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". U bent niet bevoegd om een gebruiker aan te maken met de rollen "{0}". - Unable to create user. + Unable to create user. Niet mogelijk om gebruiker aan te maken. - User editing denied + User editing denied Wijzigen van gebruiker niet toegestaan - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Niet toegestaan om de gebruiker "{0}" te wijzigen. - User updated + User updated Gebruiker bijgewerkt - The user "{0}" has been updated. + The user "{0}" has been updated. De gebruiker "{0}" is bijgewerkt. - User editing denied + User editing denied Wijzigen gebruiker niet toegestaan - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Niet toegestaan om de gebruiker "{0}" te verwijderen. - Current user cannot be deleted + Current user cannot be deleted Huidige gebruiker kan niet verwijderd worden - You cannot delete the currently logged in user + You cannot delete the currently logged in user U kunt niet de op dit moment ingelogde gebruiker verwijderen - User deleted + User deleted Gebruiker verwijderd - The user "{0}" has been deleted. + The user "{0}" has been deleted. De gebruiker "{0}" is verwijderd. - User account editing denied + User account editing denied Wijzigen van gebruikersaccount niet toegestaan - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Het is niet toegestaan om het account van de gebruiker "{0}" te wijzigen. - Don\'t lock yourself out + Don\'t lock yourself out Sluit jezelf niet buiten - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! Met de geselecteerde rollen voor de op dit moment ingelogde gebruiker, ontneemt u deze gebruiker de toegang tot deze module. Past u alstublieft de toegewezen rollen aan! - Account updated + Account updated Account bijgewerkt - The account has been updated. + The account has been updated. Het account is bijgewerkt. - User email editing denied + User email editing denied Wijzigen van e-mail adres van gebruiker niet toegestaan - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Niet toegestaan om een elektronisch adres voor de gebruiker "{0}" aan te maken. - Electronic address added + Electronic address added Elektronisch adres toegevoegd - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Een elektronisch adres "{0}" ({1}) is toegevoegd. - User email deletion denied + User email deletion denied Verwijderen van e-mail adres van gebruiker niet toegestaan - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Niet toegestaan om een elektronisch adres van de gebruiker "{0}" te verwijderen. - Electronic address removed + Electronic address removed Elektronisch adres verwijderd - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". Het elektronische adres "{0}" ({1}) is verwijderd voor "{2}". - User updated + User updated Gebruiker bijgewerkt - Your user has been updated. + Your user has been updated. Uw gebruiker is bijgewerkt. - Updating password failed + Updating password failed Wachtwoord wijzigen mislukt - Updating password failed + Updating password failed Wachtwoord wijzigen mislukt - Password updated + Password updated Wachtwoord bijgewerkt - The password has been updated. + The password has been updated. Het wachtwoord is bijgewerkt. - Edit User + Edit User Gebruiker bewerken - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. Een elektronisch adres "{0}" ({1}) is toegevoegd. - Electronic address removed + Electronic address removed Elektronisch adres verwijderd - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". Het elektronische adres "{0}" ({1}) is verwijderd voor "{2}". @@ -1294,19 +1292,19 @@ Hoe hoger de prioriteit, des te groter de ondoorzichtbaarheid. Klik op een van d Selecteer alle huidige wijzigingen - Last Login + Last Login Laatste login - Contains modules related to management of users + Contains modules related to management of users Bevat modules gerelateerd aan het onderhoud van gebruikers - Publish selected changes to {0} + Publish selected changes to {0} Publiceer geselecteerde wijzigingen naar {0} - Do you really want to discard the selected changes in the "{0}" workspace? + Do you really want to discard the selected changes in the "{0}" workspace? Weet u zeker dat u de geselecteerde wijzigingen in de "{0}" workspace wilt annuleren? diff --git a/Neos.Neos/Resources/Private/Translations/no/Modules.xlf b/Neos.Neos/Resources/Private/Translations/no/Modules.xlf index 78814e8322a..8eb1ec294a9 100644 --- a/Neos.Neos/Resources/Private/Translations/no/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/no/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Tilbake - Cancel + Cancel Avbryt - Management + Management Administrasjon - Contains multiple modules related to management of content + Contains multiple modules related to management of content Inneholder flere moduler knyttet til administrasjon av innhold - Workspaces + Workspaces Arbeidsområder - Details for "{0}" + Details for "{0}" Detaljer for "{0}" - Create new workspace + Create new workspace Opprett nytt arbeidsområde - Create workspace + Create workspace Opprett arbeidsområde - Delete workspace + Delete workspace Slett arbeidsområdet - Edit workspace + Edit workspace Rediger arbeidsområde - Yes, delete the workspace + Yes, delete the workspace Ja, slett arbeidsområdet - Edit workspace "{0}" + Edit workspace "{0}" Rediger arbeidsområde - Personal workspace + Personal workspace Personlig arbeidsområde - Private workspace + Private workspace Privat arbeidsområde - Internal workspace + Internal workspace Internt arbeidsområde - Read-only workspace + Read-only workspace Skrivebeskyttet arbeidsområde - Title + Title Tittel - Description + Description Beskrivelse - Base workspace + Base workspace Utgangspunkt for arbeidsområde - Owner + Owner Eier - Visibility + Visibility Synlighet - Private + Private Privat - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Bare korrekturlesere og administratorer kan få tilgang til og endre dette arbeidsområdet - Internal + Internal Intern - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Alle påloggede redaktører kan se og endre dette arbeidsområdet. - Changes + Changes Endringer - Open page in "{0}" workspace + Open page in "{0}" workspace Åpne side i arbeidsområde "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Dette er ditt personlige arbeidsområde. Du kan ikke slette det. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Arbeidsområdet inneholder endringer. Hvis du vil slette det må du forkaste endringene først. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Arbeidsområdet kan ikke sammenflettes med et annet arbeidsområde fordi det fortsatt inneholder endringer. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Arbeidsområdet kan ikke slettes fordi andre arbeidsområder er avhengig av det. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Du har ikke tilgang til å slette dette arbeidsområdet. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Vil du virkelig slette arbeidsområdet "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Dette vil slette hele arbeidsområdet inkludert alt upubliserte innhold. Denne operasjonen kan ikke angres. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Denne modulen inneholder en oversikt over alle elementer i gjeldende arbeidsområde og du kan fortsette arbeidsflyten for gjennomgang og publisering. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Upubliserte endringer - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} nye: {new}, endringer: {changed}, flyttinger: {removed} - Review + Review Korrektur - Discard selected changes + Discard selected changes Forkast merkede endringer - - Publish selected changes - Publiser merkede endringer - - Discard all changes + Discard all changes Forkast alle endringer - Publish all changes + Publish all changes Publiser alle endringer - Publish all changes to {0} + Publish all changes to {0} Publiser alle endringer til {0} - Changed Content + Changed Content Endret innhold - deleted + deleted slettet - created + created opprettet - moved + moved flyttet - hidden + hidden skjult - edited + edited endret - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Det er ingen upubliserte endringer i arbeidsområdet. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Ønsker du virkelig å forkaste alle endringer i arbeidsområdet "{0}"? @@ -266,612 +262,612 @@ Alle endringer fra arbeidsområdet "{0}" er forkastet. - History + History Historikk - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Denne modulen gir en oversikt over alle relevante hendelser som påvirker Neos-installasjonen. - Here's what happened recently in Neos + Here's what happened recently in Neos Her er det som nylig skjedde i Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Det er ikke ennå registrert noen hendelser som kan vises i denne historikken. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} opprettet {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} fjernet {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} opprettet variant {1} av {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} endret {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} flyttet {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} kopierte {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} opprettet en ny bruker "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} slettet kontoen "{1}" av {2}. - Load More + Load More Last inn mer - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Administrasjon - Contains multiple modules related to administration + Contains multiple modules related to administration Inneholder flere moduler knyttet til administrasjon - User Management + User Management Brukeradministrasjon - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Brukeradministrasjon modulen gir deg en oversikt over alle backend-brukere. Du kan gruppere dem etter egenskaper slik at du kan overvåke tillatelsene, filområder, medlemsgrupper o.s.v. Denne modulen er et uunnværlig verktøy for å sikre at brukerne er riktig konfigurert. - Overview + Overview Oversikt - Show + Show Vis - New + New Ny - Edit + Edit Rediger - Edit account + Edit account Rediger konto - New electronic address + New electronic address Nye elektronisk adresse - Use system default + Use system default Bruk systemstandard - Create user + Create user Opprett bruker - Create a new user + Create a new user Create a new user - User Data + User Data Brukerdata - Username + Username Brukernavn - Password + Password Passord - Repeat password + Repeat password Gjenta passord - Role(s) + Role(s) Roller - Authentication Provider + Authentication Provider Autentiseringstjeneste - Use system default + Use system default Bruk systemstandard - Personal Data + Personal Data Personopplysninger - First Name + First Name Fornavn - Last Name + Last Name Etternavn - User Preferences + User Preferences Brukerinnstillinger - Interface Language + Interface Language Språk - Create user + Create user Opprett bruker - Details for user + Details for user Brukerdetaljer - Personal Data + Personal Data Personopplysninger - Title + Title Tittel - First Name + First Name Fornavn - Middle Name + Middle Name Mellomnavn - Last Name + Last Name Etternavn - Other Name + Other Name Annet navn - Accounts + Accounts Kontoer - Username + Username Brukernavn - Roles + Roles Roller - Electronic Addresses + Electronic Addresses Elektroniske adresser - Primary + Primary Primært - N/A + N/A Ikke tilgjengelig - Delete User + Delete User Slett bruker - Edit User + Edit User Rediger bruker - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du er logget på som denne brukeren og du kan ikke slette deg selv. - Click here to delete this user + Click here to delete this user Klikk her for å slette denne brukeren - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Ønsker du virkelig å slette brukeren "{0}"? - Yes, delete the user + Yes, delete the user Ja, slett brukeren - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dette vil slette brukeren, de relaterte kontoene og brukerens personlige arbeidsområde, inkludert alt upublisert innhold. - This operation cannot be undone + This operation cannot be undone Denne operasjonen kan ikke angres - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Rediger kontoen "{accountIdentifier}" - Account + Account Konto - Username + Username Brukernavn - The username can't be changed via the user interface + The username can't be changed via the user interface Brukernavnet kan ikke endres via brukergrensesnittet - Save account + Save account Lagre konto - Repeat password + Repeat password Gjenta passord - Roles + Roles Roller - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Navn - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Accounts and Roles - View user + View user View user - Edit user + Edit user Edit user - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Delete user - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du er logget på som denne brukeren og du kan ikke slette deg selv. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Ønsker du virkelig å slette brukeren "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Dette vil slette brukeren, de relaterte kontoene og brukerens personlige arbeidsområde, inkludert alt upublisert innhold. - Yes, delete the user + Yes, delete the user Ja, slett brukeren - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work Work - Package Management + Package Management Pakkeadministrasjon - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Modulen Pakkeadministrasjon inneholder en oversikt over alle pakker. Du kan aktivere og deaktivere enkeltpakker, importere nye pakker og slette eksisterende pakker. Den gir deg også muligheten til å fryse og frigi pakker i utviklingssammenheng. - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Nettstedsadministrasjon - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Nettsteder-modulen gir deg en oversikt over alle nettsteder. Du kan redigere, legge til og slette informasjon om dine nettsteder, for eksempel legge til et nytt domene. - Add new site + Add new site Add new site - Create site + Create site Opprett nettsted - Create a new site + Create a new site Opprett et nytt nettsted - Root node name + Root node name Root node name - Domains + Domains Domains - Site + Site Site - Name + Name Navn - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration Konfigurasjon - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Modulen Konfigurasjon gir deg en oversikt over alle konfigurasjonstyper. - Dimensions + Dimensions Dimensjoner - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Bruker - User Settings + User Settings Brukerinnstillinger - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Denne modulen lar deg tilpasse backend-brukerprofilen. Her kan du endre aktivt systemspråk, navn og e-postadresse. Du kan også konfigurere andre generelle funksjoner i systemet. - Edit + Edit Rediger - Edit + Edit Rediger - New electronic address + New electronic address Nye elektronisk adresse - Edit account + Edit account Rediger konto - Personal Data + Personal Data Personopplysninger - User Data + User Data Brukerdata - User Menu + User Menu Brukermeny - User Preferences + User Preferences Brukerinnstillinger - Interface Language + Interface Language Språk - Use system default + Use system default Bruk systemstandard - Accounts + Accounts Kontoer - Username + Username Brukernavn - Roles + Roles Roller - Authentication Provider + Authentication Provider Autentiseringstjeneste - Electronic addresses + Electronic addresses Elektroniske adresser - Do you really want to delete + Do you really want to delete Ønsker du virkelig å slette - Yes, delete electronic address + Yes, delete electronic address Ja, slett den elektroniske adressen - Click to add a new Electronic address + Click to add a new Electronic address Klikk for å legge til en ny elektronisk adresse - Add electronic address + Add electronic address Legg til en elektronisk adresse - Save User + Save User Lagre bruker - Edit User + Edit User Rediger bruker - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Oppdater - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Rediger bruker - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/pl/Modules.xlf b/Neos.Neos/Resources/Private/Translations/pl/Modules.xlf index 05566bd4b36..67baa541291 100644 --- a/Neos.Neos/Resources/Private/Translations/pl/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/pl/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Wstecz - Cancel + Cancel Anuluj - Management + Management Zarządzanie - Contains multiple modules related to management of content + Contains multiple modules related to management of content Zawiera moduły do zarządzania treścią - Workspaces + Workspaces Obszary robocze - Details for "{0}" + Details for "{0}" Szczegóły dla "{0}" - Create new workspace + Create new workspace Utwórz nowy obszar roboczy - Create workspace + Create workspace Utwórz obszar roboczy - Delete workspace + Delete workspace Usuń obszar roboczy - Edit workspace + Edit workspace Edytuj obszar roboczy - Yes, delete the workspace + Yes, delete the workspace Tak, usuń obszar roboczy - Edit workspace "{0}" + Edit workspace "{0}" Edytuj obszar roboczy - Personal workspace + Personal workspace Osobisty obszar roboczy - Private workspace + Private workspace Prywatny obszar roboczy - Internal workspace + Internal workspace Wewnętrzny obszar roboczy - Read-only workspace + Read-only workspace Obszar roboczy tylko do odczytu - Title + Title Tytuł - Description + Description Opis - Base workspace + Base workspace Podstawowy obszar roboczy - Owner + Owner Właściciel - Visibility + Visibility Widoczność - Private + Private Prywatny - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Tylko recenzenci i administratorzy mogą otwierać i modyfikować ten obszar roboczy - Internal + Internal Wewnętrzny - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Każdy zalogowany redaktor może zobaczyć i modyfikować ten obszar roboczy. - Changes + Changes Zmiany - Open page in "{0}" workspace + Open page in "{0}" workspace Otwórz stronę w obszarze roboczym "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. To jest twój osobisty obszar roboczy, którego nie można usunąć. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Obszar roboczy zawiera zmiany. Aby usunąć, odrzuć najpierw zmiany. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Obszar roboczy nie może być przeniesiony na inny, ponieważ nadal zawiera zmiany. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Obszaru roboczego nie może być usunięty, ponieważ inne obszary robocze zależą od niego. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Nie masz uprawnień do usunięcia tego obszaru roboczego. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Czy na pewno chcesz usunąć obszar roboczy "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Spowoduje to usunięcie obszaru roboczego, w tym wszystkie nieopublikowane treści. Tej operacji nie można cofnąć. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Ten moduł zawiera listę wszystkich elementów w bieżącym obszarze roboczym i pozwala na ich przegląd i publikowanie. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Nieopublikowane zmiany - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} dodania: {new}, zmiany: {changed}, usunięcia: {removed} - Review + Review Recenzuj - Discard selected changes + Discard selected changes Odrzuć zaznaczone zmiany - - Publish selected changes - Opublikuj wybrane zmiany - - Discard all changes + Discard all changes Odrzuć wszystkie zmiany - Publish all changes + Publish all changes Publikuj wszystkie zmiany - Publish all changes to {0} + Publish all changes to {0} Publikuj wszystkie zmiany do {0} - Changed Content + Changed Content Zmieniona zawartość - deleted + deleted usunięte - created + created utworzone - moved + moved przeniesione - hidden + hidden ukryte - edited + edited edytowane - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Brak nieopublikowanych zmian w tym obszarze roboczym. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Czy na pewno zaniechać wszystkie zmiany w obszarze roboczym "{0}" ? @@ -266,612 +262,612 @@ Wszystkie zmiany z obszaru roboczego "{0}" zostały odrzucone. - History + History Historia - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Ten moduł zawiera przegląd wszystkich istotnych zdarzeń wpływających na działanie tej instalacji Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Oto co wydarzyło się ostatnio w Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Nie zarejestrowano żadnych zdarzeń, które mogłyby być wyświetlone w tej historii. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} utworzył {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} usunął {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} utworzył wariant {1} z {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} zmodyfikował {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} przeniósł {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} skopiował {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} zmienił nazwę {1} "{2}" na "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} zmodyfikował zawartość na {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} utworzył nowego użytkownika "{1}" dla {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} usunął konto "{1}" z {2}. - Load More + Load More Załaduj więcej - This node has been removed in the meantime + This node has been removed in the meantime Ten węzeł został usunięty w międzyczasie - Administration + Administration Administracja - Contains multiple modules related to administration + Contains multiple modules related to administration Zawiera mooduły związane z administracją - User Management + User Management Zarządzanie użytkownikami - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Moduł zarządzania użytkownikami umożliwia przegląd wszystkich back-end użytkowników. Można ich grupować wg. ich właściwości, dzięki czemu możesz monitorować ich uprawnienia, zamontowane systemy plików, członkostwa w grupach itp.. Moduł ten jest niezastąpionym narzędziem kiedy chcesz się upewnić, że użytkownicy są poprawnie skonfigurowani. - Overview + Overview Podsumowanie - Show + Show Pokaż - New + New Nowy - Edit + Edit Edytuj - Edit account + Edit account Edytuj konto - New electronic address + New electronic address Nowy adres elektroniczny - Use system default + Use system default Użyj domyślnego w systemie - Create user + Create user Utwórz użytkownika - Create a new user + Create a new user Utwórz nowego użytkownika - User Data + User Data Dane użytkownika - Username + Username Użytkownik - Password + Password Hasło - Repeat password + Repeat password Powtórz hasło - Role(s) + Role(s) Role - Authentication Provider + Authentication Provider Dostawca uwierzytelnień - Use system default + Use system default Użyj domyślnego w systemie - Personal Data + Personal Data Dane personalne - First Name + First Name Imię - Last Name + Last Name Nazwisko - User Preferences + User Preferences Ustawienia użytkownika - Interface Language + Interface Language Język interfejsu - Create user + Create user Utwórz użytkownika - Details for user + Details for user Szczegóły użytkownika - Personal Data + Personal Data Dane personalne - Title + Title Tytuł - First Name + First Name Imię - Middle Name + Middle Name Drugie imię - Last Name + Last Name Nazwisko - Other Name + Other Name Inna nazwa - Accounts + Accounts Konta - Username + Username Użytkownik - Roles + Roles Role - Electronic Addresses + Electronic Addresses Adresy elektroniczne - Primary + Primary Główny - N/A + N/A Niedostępne - Delete User + Delete User Usuń użytkownika - Edit User + Edit User Edytuj użytkownika - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Jesteś zalogowany jako ten użytkownik i nie możesz usunąć siebie. - Click here to delete this user + Click here to delete this user Kliknij tutaj aby usunąć tego użytkownika - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Czy naprawdę chcesz usunąć użytkownika "{0}"? - Yes, delete the user + Yes, delete the user Tak, usuń użytkownika - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Spowoduje to usunięcie użytkownika, powiązanych kont i jego osobistego obszaru roboczego, w tym wszystkich nieopublikowanych treści. - This operation cannot be undone + This operation cannot be undone Tej operacji nie można cofnąć - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edytuj konto "{accountIdentifier}" - Account + Account Konto - Username + Username Użytkownik - The username can't be changed via the user interface + The username can't be changed via the user interface Nazwa użytkownika nie może zostać zmieniona za pomocą interfejsu użytkownika - Save account + Save account Zapisz konto - Repeat password + Repeat password Powtórz hasło - Roles + Roles Role - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nazwa - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Konta i role - View user + View user Wyświetl użytkownika - Edit user + Edit user Edytuj użytkownika - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Usuń użytkownika - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Jesteś zalogowany jako ten użytkownik i nie możesz usunąć siebie. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Czy naprawdę chcesz usunąć użytkownika "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Spowoduje to usunięcie użytkownika, powiązanych kont i jego osobistego obszaru roboczego, w tym wszystkich nieopublikowanych treści. - Yes, delete the user + Yes, delete the user Tak, usuń użytkownika - Edit user "{0}" + Edit user "{0}" Edytuj użytkownika "{0}" - Home + Home Domowy - Work + Work Firmowy - Package Management + Package Management Zarządzanie pakietami - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Moduł zarządzania pakietami umożliwia przeglądanie wszystkich pakietów. Pakiety można włączyć i wyłączyć, zaimportować nowe i usunąć istniejące. Istnieje także opcja zamrożenia i odmrożenia pakietów w kontekście rozwoju. - Available packages + Available packages Dostępne pakiety - Package Name + Package Name Nazwa pakietu - Package Key + Package Key Klucz pakietu - Package Type + Package Type Typ pakietu - Deactivated + Deactivated Nieaktywny - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Ten pakiet jest obecnie zamrożony. Kliknij, aby go odmrozić. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Zamroź pakiet, aby przyspieszyć działanie Twojej strony. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Ten pakiet jest chroniony i nie może zostać dezaktywowany. - Deactivate Package + Deactivate Package Dezaktywuj pakiet - Activate Package + Activate Package Aktywuj pakiet - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Ten pakiet jest chroniony i nie może zostać usunięty. - Delete Package + Delete Package Usuń pakiet - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Czy na pewno chcesz usunąć "{0}"? - Yes, delete the package + Yes, delete the package Tak, usuń pakiet - Yes, delete the packages + Yes, delete the packages Tak, usuń pakiety - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Czy na pewno chcesz usunąć wybrane pakiety? - Freeze selected packages + Freeze selected packages Zamroź wybrane pakiety - Unfreeze selected packages + Unfreeze selected packages Odmroź wybrane pakiety - Delete selected packages + Delete selected packages Usuń wybrane pakiety - Deactivate selected packages + Deactivate selected packages Dezaktywuj wybrane pakiety - Activate selected packages + Activate selected packages Aktywuj wybrane pakiety - Sites Management + Sites Management Zarządzanie stronami - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Moduł Zarządzania Stronami umożliwia przegląd wszystkich stron. Można edytować, dodawać i usuwać informacje o witrynach, takie jak przypisana domena. - Add new site + Add new site Dodaj nową stronę - Create site + Create site Utwórz stronę - Create a new site + Create a new site Utwórz nową stronę - Root node name + Root node name Nazwa węzła głównego - Domains + Domains Domeny - Site + Site Strona - Name + Name Nazwa - Default asset collection + Default asset collection Domyślna kolekcja zasobów - Site package + Site package Pakiet strony - Delete this site + Delete this site Usuń tą stronę - Deactivate site + Deactivate site Deaktywuj stronę - Activate site + Activate site Aktywuj stronę - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Czy na pewno chcesz usunąć "{0}"? Tej akcji nie można cofnąć. - Yes, delete the site + Yes, delete the site Tak, usuń stronę - Import a site + Import a site Importuj stronę - Select a site package + Select a site package Wybierz pakiet strony - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Brak dostępnych pakietów stron. Upewnij się, że masz aktywny pakiet strony. - Create a blank site + Create a blank site Utwórz pustą stronę - Select a document nodeType + Select a document nodeType Wybierz nodeType dokumentu - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nazwa strony - Create empty site + Create empty site Utwórz pustą stronę - Create a new site package + Create a new site package Utwórz nowy pakiet strony - VendorName.MyPackageKey + VendorName.MyPackageKey NazwaTworcy.KluczMojegoPakietu - No sites available + No sites available Brak dostępnych stron - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Pakiet <em>Neos Kickstarter</em> nie jest zainstalowany, zainstaluj go aby wygenerować nowe strony. - New site + New site Nowa strona - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Czy na pewno chcesz usunąć "{0}"? Tej akcji nie można cofnąć. - New domain + New domain Nowa domena - Edit domain + Edit domain Edytuj domenę - Domain data + Domain data Dane domeny - e.g. www.neos.io + e.g. www.neos.io np. www.neos.io - State + State Stan - Create + Create Utwórz - Configuration + Configuration Konfiguracja - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Moduł konfiguracyjny umożliwia podgląd wszystkich typów konfiguracji. - Dimensions + Dimensions Wymiary - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Użytkownik - User Settings + User Settings Ustawienia - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Moduł ten pozwala na dostosowanie Twojego profilu użytkownika backendu. Możesz tutaj zmienić swój aktywny język systemu, nazwisko i adres e-mail. Możesz również skonfigurować inne ogólne parametry w systemie. - Edit + Edit Edytuj - Edit + Edit Edytuj - New electronic address + New electronic address Nowy adres elektroniczny - Edit account + Edit account Edytuj konto - Personal Data + Personal Data Dane personalne - User Data + User Data Dane użytkownika - User Menu + User Menu Menu użytkownika - User Preferences + User Preferences Ustawienia użytkownika - Interface Language + Interface Language Język interfejsu - Use system default + Use system default Użyj domyślnego w systemie - Accounts + Accounts Konta - Username + Username Użytkownik - Roles + Roles Role - Authentication Provider + Authentication Provider Dostawca uwierzytelnień - Electronic addresses + Electronic addresses Adresy elektroniczne - Do you really want to delete + Do you really want to delete Czy na pewno chcesz usunąć - Yes, delete electronic address + Yes, delete electronic address Tak, usuń adres elektroniczny - Click to add a new Electronic address + Click to add a new Electronic address Kliknij, aby dodać nowy adres elektroniczny - Add electronic address + Add electronic address Dodaj adres elektroniczny - Save User + Save User Zapisz użytkownika - Edit User + Edit User Edytuj użytkownika - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Aktualizuj - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Edytuj użytkownika - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/pt/Modules.xlf b/Neos.Neos/Resources/Private/Translations/pt/Modules.xlf index 595dca36a7a..c16a53ffa14 100644 --- a/Neos.Neos/Resources/Private/Translations/pt/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/pt/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Voltar - Cancel + Cancel Cancelar - Management + Management Gerenciamento - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contém vários módulos relacionados ao gerenciamento de conteúdo - Workspaces + Workspaces Espaços de Trabalho - Details for "{0}" + Details for "{0}" Detalhes para "{0}" - Create new workspace + Create new workspace Criar novo espaço de trabalho - Create workspace + Create workspace Criar espaço de trabalho - Delete workspace + Delete workspace Apagar espaço de trabalho - Edit workspace + Edit workspace Edit workspace - Yes, delete the workspace + Yes, delete the workspace Sim, excluir o espaço de trabalho - Edit workspace "{0}" + Edit workspace "{0}" Editar o espaço de trabalho - Personal workspace + Personal workspace Espaço de trabalho pessoal - Private workspace + Private workspace Espaço de trabalho privado - Internal workspace + Internal workspace Espaço de trabalho interno - Read-only workspace + Read-only workspace Espaço de trabalho somente leitura - Title + Title Título - Description + Description Descrição - Base workspace + Base workspace Espaço de trabalho de base - Owner + Owner Proprietário - Visibility + Visibility Visibilidade - Private + Private Privado - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Apenas os revisores e os administradores podem acessar e modificar este espaço de trabalho - Internal + Internal Interno - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Qualquer editor logado pode ver e modificar este espaço de trabalho. - Changes + Changes Mudanças - Open page in "{0}" workspace + Open page in "{0}" workspace Abrir página em espaço de trabalho "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Este é o seu espaço de trabalho pessoal, que não é possível apagar. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. O espaço de trabalho contém alterações. Para o excluir, descarte as alterações primeiro. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. A base deste espaço de trabalho não pode ser alterada para uma área diferente porque ele ainda contém alterações. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. O espaço de trabalho não pode ser apagado porque outros espaços de trabalho dependem dele. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Não tem as permissões para apagar este espaço de trabalho. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Deseja mesmo excluir o espaço de trabalho "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Isto irá apagar o espaço de trabalho, incluindo todos os conteúdos não publicados. Esta operação não pode ser desfeita. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Este módulo contém a visão geral de todos os elementos dentro do espaço de trabalho atual e permite continuar a revisão e publicação do fluxo de trabalho para eles. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Alterações não publicadas - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} adições: {new}, alterações: {changed}, remoções: {removed} - Review + Review Revisão - Discard selected changes + Discard selected changes Descartar alterações selecionadas - - Publish selected changes - Publicar alterações selecionadas - - Discard all changes + Discard all changes Descartar todas as alterações - Publish all changes + Publish all changes Publicar todas as alterações - Publish all changes to {0} + Publish all changes to {0} Publicar todas as alterações para {0} - Changed Content + Changed Content Conteúdo alterado - deleted + deleted excluído - created + created criado - moved + moved movido - hidden + hidden oculto - edited + edited editado - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Não há nenhuma mudança não publicada neste espaço de trabalho. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Realmente quer descartar todas as alterações na área de trabalho "{0}"? @@ -230,10 +226,12 @@ Did not delete workspace "{0}" because it currently contains {1} node. - Espaço de trabalho "{0}" não foi apagado porque atualmente contém {1} nó. + Espaço de trabalho "{0}" não foi apagado porque atualmente contém {1} nó. + Did not delete workspace "{0}" because it currently contains {1} nodes. - Espaço de trabalho "{0}" não foi apagado porque atualmente contém {1} nós. + Espaço de trabalho "{0}" não foi apagado porque atualmente contém {1} nós. + The workspace "{0}" has been removed. @@ -264,613 +262,613 @@ Todas as alterações do espaço de trabalho "{0}" foram descartadas. - History + History Histórico - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Este módulo fornece uma visão geral de todos os eventos relevantes que afetam esta instalação do Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Aqui está o que aconteceu recentemente no Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Não foram registrados quaisquer eventos que poderiam ser exibido neste histórico ainda. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} criou o {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removido o {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} criada a variante {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modificado o {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} movido o {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copiado o {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renomeado o {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modificado o conteúdo no {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} criou um novo usuário "{1}" para {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} excluiu a conta "{1}" de {2}. - Load More + Load More Carregar mais - This node has been removed in the meantime + This node has been removed in the meantime Este nó já foi removido - Administration + Administration Administração - Contains multiple modules related to administration + Contains multiple modules related to administration Contém vários módulos relacionados a administração - User Management + User Management Gerenciamento de Usuários - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. O módulo de gestão de utilizador fornece uma visão geral de todos os utilizadores de back-end. Você pode agrupá-los por suas propriedades, então você consegue monitorar as suas permissões, montagens de ficheiros, grupos de membros, etc... Este módulo é uma ferramenta indispensável para garantir que os utilizadores estão configurados corretamente. - Overview + Overview Resumo - Show + Show Mostrar - New + New Novo - Edit + Edit Editar - Edit account + Edit account Editar conta - New electronic address + New electronic address Novo endereço eletrônico - Use system default + Use system default Usar padrão do sistema - Create user + Create user Criar utilizador - Create a new user + Create a new user Criar um novo utilizador - User Data + User Data Dados do utilizador - Username + Username Nome de Usuário - Password + Password Senha - Repeat password + Repeat password Repetir a senha - Role(s) + Role(s) Função (ões) - Authentication Provider + Authentication Provider Provedor de Autenticação - Use system default + Use system default Usar padrão do sistema - Personal Data + Personal Data Dados Pessoais - First Name + First Name Primeiro nome - Last Name + Last Name Sobrenome - User Preferences + User Preferences Preferências do Utilizador - Interface Language + Interface Language Idioma da Interface - Create user + Create user Criar utilizador - Details for user + Details for user Detalhes de utilizador - Personal Data + Personal Data Dados Pessoais - Title + Title Título - First Name + First Name Primeiro nome - Middle Name + Middle Name Nome do meio - Last Name + Last Name Sobrenome - Other Name + Other Name Outro nome - Accounts + Accounts Contas - Username + Username Nome de Usuário - Roles + Roles Funções de usuário - Electronic Addresses + Electronic Addresses Endereços Eletrônicos - Primary + Primary Primário - N/A + N/A N/D - Delete User + Delete User Excluir Utilizador - Edit User + Edit User Editar Utilizador - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Está logado como esse utilizador e você não pode apagar-se. - Click here to delete this user + Click here to delete this user Clique aqui para excluir este utilizador - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Quer mesmo excluir o utilizador "{0}"? - Yes, delete the user + Yes, delete the user Sim, excluir o utilizador - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Isto irá apagar o utilizador, as contas relacionadas e seu espaço de trabalho pessoal, incluindo todo conteúdo não publicado. - This operation cannot be undone + This operation cannot be undone Esta operação não pode ser desfeita - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Editar conta "{accountIdentifier}" - Account + Account Conta - Username + Username Nome de Usuário - The username can't be changed via the user interface + The username can't be changed via the user interface O nome de usuário não pode ser alterado através da interface de usuário - Save account + Save account Salvar conta - Repeat password + Repeat password Repetir a senha - Roles + Roles Funções de usuário - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nome - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Contas e funções - View user + View user Visualizar utilizador - Edit user + Edit user Editar utilizador - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Excluir utilizador - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Está logado como esse utilizador e você não pode apagar-se. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Quer mesmo excluir o utilizador "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Isto irá apagar o utilizador, as contas relacionadas e seu espaço de trabalho pessoal, incluindo todo conteúdo não publicado. - Yes, delete the user + Yes, delete the user Sim, excluir o utilizador - Edit user "{0}" + Edit user "{0}" Editar utilizador "{0}" - Home + Home Início - Work + Work Trabalho - Package Management + Package Management Gerenciamento de Pacotes - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. O módulo de gerenciamento de pacotes fornece uma visão geral de todos os pacotes. Você pode ativar e desativar os pacotes individuais, importar novos pacotes e excluir pacotes existentes. Também fornece a capacidade para congelar e descongelar pacotes no contexto de desenvolvimento. - Available packages + Available packages Pacotes disponíveis - Package Name + Package Name Nome do pacote - Package Key + Package Key Chave de pacote - Package Type + Package Type Tipo de pacote - Deactivated + Deactivated Desativado - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Este pacote está atualmente congelado. Clique para descongelá-lo. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Congele o pacote para acelerar o seu site. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Este pacote está protegido e não pode ser desativado. - Deactivate Package + Deactivate Package Desativar o pacote - Activate Package + Activate Package Ativar o pacote - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Este pacote está protegido e não pode ser excluído. - Delete Package + Delete Package Excluir o pacote - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Quer mesmo apagar "{0}"? - Yes, delete the package + Yes, delete the package Sim, apagar o pacote - Yes, delete the packages + Yes, delete the packages Sim, apagar os pacotes - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Deseja realmente apagar os pacotes selecionados? - Freeze selected packages + Freeze selected packages Congelar os pacotes selecionados - Unfreeze selected packages + Unfreeze selected packages Descongelar os pacotes selecionados - Delete selected packages + Delete selected packages Apagar pacotes selecionados - Deactivate selected packages + Deactivate selected packages Desativar os pacotes selecionados - Activate selected packages + Activate selected packages Activar os pacotes selecionados - Sites Management + Sites Management Gerenciamento de Sites - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. O módulo de gerenciamento de Sites fornece uma visão geral de todos os sites. Você pode editar, adicionar e excluir informações sobre seus sites, como a adição de um novo domínio. - Add new site + Add new site Adicionar novo site - Create site + Create site Criar site - Create a new site + Create a new site Criar um novo site - Root node name + Root node name Nome da raíz do node - Domains + Domains Domínios - Site + Site Site - Name + Name Nome - Default asset collection + Default asset collection Coleção dos ativos padrão - Site package + Site package Pacote de site - Delete this site + Delete this site Eliminar este site - Deactivate site + Deactivate site Desativar o site - Activate site + Activate site Ativar o site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Deseja mesmo excluir "{0}"? Esta ação não pode ser desfeita. - Yes, delete the site + Yes, delete the site Sim, eliminar o site - Import a site + Import a site Importar um site - Select a site package + Select a site package Selecione um pacote de site - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Não existem pacotes de site disponíveis. Verifique se já possui tem um pacote de site ativo. - Create a blank site + Create a blank site Criar um site em branco - Select a document nodeType + Select a document nodeType Selecione um documento nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nome do site - Create empty site + Create empty site Criar um site vazio - Create a new site package + Create a new site package Criar um novo pacote de site - VendorName.MyPackageKey + VendorName.MyPackageKey Nomedofornecedor.MyPackageKey - No sites available + No sites available Nenhum site disponível. - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. O pacote <em>Neos Kickstarter</em> não está instalado, instale-o para iniciar novos sites. - New site + New site Novo Sitio - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Deseja mesmo excluir "{0}"? Esta ação não pode ser desfeita. - New domain + New domain Domínio novo - Edit domain + Edit domain Editar domínio - Domain data + Domain data Dados de domínio - e.g. www.neos.io + e.g. www.neos.io Ejemplo do www.neos.io - State + State Estado - Create + Create Criar - Configuration + Configuration Configuração - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. O módulo de configuração fornece uma visão geral de todos os tipos de configuração. - Dimensions + Dimensions Dimensões - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Concede uma visão gráfica geral sobre os fallbacks configurados dentro de cada dimensão de conteúdo e através das dimensões de conteúdo. - Inter dimensional fallback graph + Inter dimensional fallback graph Gráfico interdimensional de fallback - Inter dimensional + Inter dimensional Interdimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. O gráfico de fallback interdimensional exibe todos os fallbacks possíveis (exibidos como arestas) entre subgráficos (combinações de valores de dimensão de conteúdo, exibidas como nodes). @@ -878,420 +876,420 @@ Os fallbacks primários são marcados em azul e sempre visíveis, enquanto fallb Clique em um dos nodes para ver apenas os seus fallbacks e variantes. Clique novamente para remover o filtro. - Intra dimensional fallback graph + Intra dimensional fallback graph Gráfico de fallback intra-dimensional - Intra dimensional + Intra dimensional Intra-dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. O gráfico de fallback intra-dimensional exibe fallbacks em cada dimensão de conteúdo. - User + User Usuário - User Settings + User Settings Configurações de Utilizador - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Este módulo permite que você personalize seu perfil de utilizador de back-end. Aqui você pode alterar seu idioma do sistema, nome e endereço de e-mail. Também pode configurar outras características gerais do sistema. - Edit + Edit Editar - Edit + Edit Editar - New electronic address + New electronic address Novo endereço eletrônico - Edit account + Edit account Editar conta - Personal Data + Personal Data Dados Pessoais - User Data + User Data Dados do utilizador - User Menu + User Menu Menu de utilizador - User Preferences + User Preferences Preferências do Utilizador - Interface Language + Interface Language Idioma da Interface - Use system default + Use system default Usar padrão do sistema - Accounts + Accounts Contas - Username + Username Nome de Usuário - Roles + Roles Funções de usuário - Authentication Provider + Authentication Provider Provedor de Autenticação - Electronic addresses + Electronic addresses Endereços eletrônicos - Do you really want to delete + Do you really want to delete Deseja realmente excluir - Yes, delete electronic address + Yes, delete electronic address Sim, exclua o endereço eletrônico - Click to add a new Electronic address + Click to add a new Electronic address Clique para adicionar um novo endereço eletrônico - Add electronic address + Add electronic address Adicionar o endereço eletrônico - Save User + Save User Gravar Utilizador - Edit User + Edit User Editar Utilizador - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Atualizar - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Editar Utilizador - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - Last Login + Last Login Última autenticação diff --git a/Neos.Neos/Resources/Private/Translations/pt_BR/Modules.xlf b/Neos.Neos/Resources/Private/Translations/pt_BR/Modules.xlf index b943b57be92..732d1c11799 100644 --- a/Neos.Neos/Resources/Private/Translations/pt_BR/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/pt_BR/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Voltar - Cancel + Cancel Cancelar - Management + Management Gerenciamento - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contém vários módulos relacionados ao gerenciamento de conteúdo - Workspaces + Workspaces Espaços de Trabalho - Details for "{0}" + Details for "{0}" Detalhes para "{0}" - Create new workspace + Create new workspace Criar novo espaço de trabalho - Create workspace + Create workspace Criar espaço de trabalho - Delete workspace + Delete workspace Apagar espaço de trabalho - Edit workspace + Edit workspace Editar o espaço de trabalho - Yes, delete the workspace + Yes, delete the workspace Sim, excluir o espaço de trabalho - Edit workspace "{0}" + Edit workspace "{0}" Editar o espaço de trabalho - Personal workspace + Personal workspace Espaço de trabalho pessoal - Private workspace + Private workspace Espaço de trabalho privado - Internal workspace + Internal workspace Espaço de trabalho interno - Read-only workspace + Read-only workspace Espaço de trabalho somente leitura - Title + Title Título - Description + Description Descrição - Base workspace + Base workspace Espaço de trabalho de base - Owner + Owner Proprietário - Visibility + Visibility Visibilidade - Private + Private Privado - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Apenas os revisores e os administradores podem acessar e modificar este espaço de trabalho - Internal + Internal Interno - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Qualquer editor logado pode ver e modificar este espaço de trabalho. - Changes + Changes Mudanças - Open page in "{0}" workspace + Open page in "{0}" workspace Abrir página em espaço de trabalho "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Este é o seu espaço de trabalho pessoal, que não é possível apagar. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. O espaço de trabalho contém alterações. Para o excluir, descarte as alterações primeiro. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. A base deste espaço de trabalho não pode ser alterada para uma área diferente porque ele ainda contém alterações. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. O espaço de trabalho não pode ser apagado porque outros espaços de trabalho dependem dele. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Você não tem as permissões para apagar este espaço de trabalho. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Deseja mesmo excluir o espaço de trabalho "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Isto irá apagar o espaço de trabalho, incluindo todos os conteúdos não publicados. Esta operação não pode ser desfeita. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Este módulo contém a visão geral de todos os elementos dentro do espaço de trabalho atual e permite continuar a revisão e publicação do fluxo de trabalho para eles. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Alterações não publicadas - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} adições: {new}, alterações: {changed}, remoções: {removed} - Review + Review Revisão - Discard selected changes + Discard selected changes Descartar alterações selecionadas - - Publish selected changes - Publicar alterações selecionadas - - Discard all changes + Discard all changes Descartar todas as alterações - Publish all changes + Publish all changes Publicar todas as alterações - Publish all changes to {0} + Publish all changes to {0} Publicar todas as alterações para {0} - Changed Content + Changed Content Conteúdo alterado - deleted + deleted excluído - created + created criado - moved + moved movido - hidden + hidden oculto - edited + edited editado - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Não há nenhuma mudança não publicada neste espaço de trabalho. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Você realmente quer descartar todas as alterações na área de trabalho "{0}"? @@ -266,612 +262,612 @@ Todas as alterações do espaço de trabalho "{0}" foram descartadas. - History + History Histórico - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Este módulo fornece uma visão geral de todos os eventos relevantes que afetam esta instalação do Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Aqui está o que aconteceu recentemente no Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Não foram registrados quaisquer eventos que poderiam ser exibido neste histórico ainda. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} criou o {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removeu o {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} criou a variante {1} do {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modificou o {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moveu o {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copiou o {1} {2}. - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renomeou o {1} "{2}" para "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modificou o conteúdo no {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} criou um novo usuário "{1}" para {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} excluiu a conta "{1}" de {2}. - Load More + Load More Carregar mais - This node has been removed in the meantime + This node has been removed in the meantime Este nó já foi removido - Administration + Administration Administração - Contains multiple modules related to administration + Contains multiple modules related to administration Contém vários módulos relacionados a administração - User Management + User Management Gerenciamento de Usuários - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. O módulo de gerenciamento de usuário fornece uma visão geral de todos os usuários de back-end. Você pode agrupá-los por suas propriedades, então você é capaz de monitorar suas permissões, arquivos, grupos de membros etc... Este módulo é uma ferramenta indispensável para garantir que os usuários estão configurados corretamente. - Overview + Overview Resumo - Show + Show Mostrar - New + New Novo - Edit + Edit Editar - Edit account + Edit account Editar conta - New electronic address + New electronic address Novo endereço eletrônico - Use system default + Use system default Usar padrão do sistema - Create user + Create user Criar usuário - Create a new user + Create a new user Criar um novo usuário - User Data + User Data Dados do usuário - Username + Username Nome de Usuário - Password + Password Senha - Repeat password + Repeat password Repetir a senha - Role(s) + Role(s) Função (ões) - Authentication Provider + Authentication Provider Provedor de Autenticação - Use system default + Use system default Usar padrão do sistema - Personal Data + Personal Data Dados Pessoais - First Name + First Name Primeiro nome - Last Name + Last Name Sobrenome - User Preferences + User Preferences Preferências do Usuário - Interface Language + Interface Language Idioma da Interface - Create user + Create user Criar usuário - Details for user + Details for user Detalhes de usuário - Personal Data + Personal Data Dados Pessoais - Title + Title Título - First Name + First Name Primeiro nome - Middle Name + Middle Name Nome do meio - Last Name + Last Name Sobrenome - Other Name + Other Name Outro nome - Accounts + Accounts Contas - Username + Username Nome de Usuário - Roles + Roles Funções de usuário - Electronic Addresses + Electronic Addresses Endereços Eletrônicos - Primary + Primary Primário - N/A + N/A N/D - Delete User + Delete User Excluir Usuário - Edit User + Edit User Editar Usuário - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Você está logado como esse usuário e você não pode apagar-se. - Click here to delete this user + Click here to delete this user Clique aqui para excluir este usuário - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Você quer mesmo excluir o usuário "{0}"? - Yes, delete the user + Yes, delete the user Sim, excluir o usuário - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Isto irá apagar o usuário, as contas relacionadas e seu espaço de trabalho pessoal, incluindo todo conteúdo não publicado. - This operation cannot be undone + This operation cannot be undone Esta operação não pode ser desfeita - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Editar conta "{accountIdentifier}" - Account + Account Conta - Username + Username Nome de Usuário - The username can't be changed via the user interface + The username can't be changed via the user interface O nome de usuário não pode ser alterado através da interface de usuário - Save account + Save account Salvar conta - Repeat password + Repeat password Repetir a senha - Roles + Roles Funções de usuário - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Nome - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Contas e funções - View user + View user Visualizar usuário - Edit user + Edit user Editar usuário - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Excluir usuário - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Você está logado como esse usuário e você não pode apagar-se. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Você quer mesmo excluir o usuário "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Isto irá apagar o usuário, as contas relacionadas e seu espaço de trabalho pessoal, incluindo todo conteúdo não publicado. - Yes, delete the user + Yes, delete the user Sim, excluir o usuário - Edit user "{0}" + Edit user "{0}" Editar usuário "{0}" - Home + Home Início - Work + Work Trabalho - Package Management + Package Management Gerenciamento de Pacotes - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. O módulo de gerenciamento de pacotes fornece uma visão geral de todos os pacotes. Você pode ativar e desativar os pacotes individuais, importar novos pacotes e excluir pacotes existentes. Também fornece a capacidade para congelar e descongelar pacotes no contexto de desenvolvimento. - Available packages + Available packages Pacotes disponíveis - Package Name + Package Name Nome do pacote - Package Key + Package Key Chave de pacote - Package Type + Package Type Tipo de pacote - Deactivated + Deactivated Desativado - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Este pacote está atualmente congelado. Clique para descongelá-lo. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Congele o pacote para acelerar o seu site. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Este pacote está protegido e não pode ser desativado. - Deactivate Package + Deactivate Package Desativar o pacote - Activate Package + Activate Package Ativar o pacote - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Este pacote está protegido e não pode ser excluído. - Delete Package + Delete Package Excluir o pacote - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Você quer mesmo apagar "{0}"? - Yes, delete the package + Yes, delete the package Sim, apagar o pacote - Yes, delete the packages + Yes, delete the packages Sim, apagar os pacotes - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Deseja realmente apagar os pacotes selecionados? - Freeze selected packages + Freeze selected packages Congelar os pacotes selecionados - Unfreeze selected packages + Unfreeze selected packages Descongelar os pacotes selecionados - Delete selected packages + Delete selected packages Apagar pacotes selecionados - Deactivate selected packages + Deactivate selected packages Desativar os pacotes selecionados - Activate selected packages + Activate selected packages Activar os pacotes selecionados - Sites Management + Sites Management Gerenciamento de Sites - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. O módulo de gerenciamento de Sites fornece uma visão geral de todos os sites. Você pode editar, adicionar e excluir informações sobre seus sites, como a adição de um novo domínio. - Add new site + Add new site Adicionar novo site - Create site + Create site Criar site - Create a new site + Create a new site Criar um novo site - Root node name + Root node name Nome do nó raiz - Domains + Domains Domínios - Site + Site Site - Name + Name Nome - Default asset collection + Default asset collection Coleção de ativos de padrão - Site package + Site package Pacote de site - Delete this site + Delete this site Excluir este site - Deactivate site + Deactivate site Desativar o site - Activate site + Activate site Ativar o site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Você quer mesmo excluir "{0}"? Esta ação não pode ser desfeita. - Yes, delete the site + Yes, delete the site Sim, excluir o site - Import a site + Import a site Importar um site - Select a site package + Select a site package Selecione um pacote de site - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Não há pacotes de site disponíveis. Verifique se que você tem um pacote de site ativo. - Create a blank site + Create a blank site Criar um site em branco - Select a document nodeType + Select a document nodeType Selecione um tipo de nó de documento - Select a site generator + Select a site generator Select a site generator - Site name + Site name Nome do site - Create empty site + Create empty site Criar site vazio - Create a new site package + Create a new site package Criar um novo pacote de site - VendorName.MyPackageKey + VendorName.MyPackageKey NomeFornecedor.ChaveMeuPacote - No sites available + No sites available Nenhum site disponível - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. O <em>Neos Kickstarter</em> pacote não está instalado, instale-o para alavancar novos sites. - New site + New site Novo site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Você quer mesmo excluir "{0}"? Esta ação não pode ser desfeita. - New domain + New domain Novo domínio - Edit domain + Edit domain Editar domínio - Domain data + Domain data Dados de domínio - e.g. www.neos.io + e.g. www.neos.io ex: www.neos.io - State + State Estado - Create + Create Criar - Configuration + Configuration Configuração - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. O módulo de configuração fornece uma visão geral de todos os tipos de configuração. - Dimensions + Dimensions Dimensões - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Concede uma visão geral gráfica sobre os fallbacks configurados em cada dimensão de conteúdo e entre dimensões de conteúdo. - Inter dimensional fallback graph + Inter dimensional fallback graph Fallback gráfico inter dimensional - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. O fallback gráfico inter dimensional exibe todas os fallbacks possíveis (exibidos como arestas) entre subgrafos (combinações de valor de dimensão do conteúdo, exibidos como nós). @@ -879,416 +875,416 @@ Fallbacks primários são marcados em azul e sempre visíveis, enquanto fallback Clique em um dos nós para apenas ver seus fallbacks e variantes. Clique novamente para remover o filtro. - Intra dimensional fallback graph + Intra dimensional fallback graph Fallback gráfico intra dimensional - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. O fallback gráfico intra dimensional exibe fallbacks dentro de cada dimensão de conteúdo. - User + User Usuário - User Settings + User Settings Configurações de Usuário - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Este módulo permite que você personalize seu perfil de usuário de back-end. Aqui você pode alterar seu idioma do sistema, nome e endereço de e-mail. Você também pode configurar outras características gerais do sistema. - Edit + Edit Editar - Edit + Edit Editar - New electronic address + New electronic address Novo endereço eletrônico - Edit account + Edit account Editar conta - Personal Data + Personal Data Dados Pessoais - User Data + User Data Dados do usuário - User Menu + User Menu Menu de usuário - User Preferences + User Preferences Preferências do Usuário - Interface Language + Interface Language Idioma da Interface - Use system default + Use system default Usar padrão do sistema - Accounts + Accounts Contas - Username + Username Nome de Usuário - Roles + Roles Funções de usuário - Authentication Provider + Authentication Provider Provedor de Autenticação - Electronic addresses + Electronic addresses Endereços eletrônicos - Do you really want to delete + Do you really want to delete Deseja realmente excluir - Yes, delete electronic address + Yes, delete electronic address Sim, exclua o endereço eletrônico - Click to add a new Electronic address + Click to add a new Electronic address Clique para adicionar um novo endereço eletrônico - Add electronic address + Add electronic address Adicionar o endereço eletrônico - Save User + Save User Salvar Usuário - Edit User + Edit User Editar Usuário - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Atualizar - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Editar Usuário - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/ru/Modules.xlf b/Neos.Neos/Resources/Private/Translations/ru/Modules.xlf index 40f6edc6e7c..cc807af8435 100644 --- a/Neos.Neos/Resources/Private/Translations/ru/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/ru/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Назад - Cancel + Cancel Отмена - Management + Management Управление - Contains multiple modules related to management of content + Contains multiple modules related to management of content Содержит модули управления содержимым - Workspaces + Workspaces Рабочие области - Details for "{0}" + Details for "{0}" Подробно об "{0}" - Create new workspace + Create new workspace Создать новую рабочую область - Create workspace + Create workspace Создать рабочую область - Delete workspace + Delete workspace Удалить рабочую область - Edit workspace + Edit workspace Редактировать рабочую область - Yes, delete the workspace + Yes, delete the workspace Да, удалить рабочую область - Edit workspace "{0}" + Edit workspace "{0}" Редактировать рабочую область - Personal workspace + Personal workspace Персональная рабочая область - Private workspace + Private workspace Приватная рабочая область - Internal workspace + Internal workspace Внутренняя рабочая область - Read-only workspace + Read-only workspace Неизменяемая рабочая область - Title + Title Название - Description + Description Описание - Base workspace + Base workspace Базовая рабочая область - Owner + Owner Владелец - Visibility + Visibility Видимость - Private + Private Приватный - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Только рецензенты и администраторы имеют доступ к этой рабочей области и могут изменять её - Internal + Internal Внутренняя - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Любой вошедший в систему редактор может просматривать и редактировать эту рабочую область. - Changes + Changes Изменения - Open page in "{0}" workspace + Open page in "{0}" workspace Открыть страницу в рабочей области "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Это ваша личная рабочяя область, которую вы не можете удалить. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Рабочая область содержит изменения. Чтобы её удалить, отмените сначала эти изменения. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Рабочая область не может быть перебазирована поверх другой, так как она всё ещё содержит изменения. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Рабочая область не может быть удалена, поскольку другие рабочие области зависят от неё. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. У вас нет прав на удаление этой рабочей области. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Вы действительно хотите удалить рабочую область "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Это безвозвратно удалит рабочую область, включая все неопубликованные изменения. Эта операция не может быть отменена. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Этот модуль содержит обзор всех элементов текущей рабочей области, позволяющий продолжать рецензирование и процесс публикации этих элементов. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Неопубликованные изменения в рабочей области "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} дополнения: {new}, изменения: {changed}, удаления: {removed} - Review + Review Проверить - Discard selected changes + Discard selected changes Отклонить выбранные изменения - - Publish selected changes - Опубликовать выбранные изменения - - Discard all changes + Discard all changes Отменить все изменения - Publish all changes + Publish all changes Опубликовать все изменения - Publish all changes to {0} + Publish all changes to {0} Публиковать все изменения в {0} - Changed Content + Changed Content Измененное содержимое - deleted + deleted удалено - created + created создано - moved + moved перемещен - hidden + hidden скрыт - edited + edited отредактирован - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Существуют неопубликованные изменения в этой рабочей области. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Вы действительно хотите отменить все изменения в рабочей области "{0}"? @@ -266,612 +262,612 @@ Все изменения из рабочей области "{0}" были отменены. - History + History История изменений - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Этот модуль предоставляет обзор всех событий, имеющих отношение к данной инсталяции Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Вот что недавно произошло в Neos: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Не было событий, которые могли бы быть отображены в данном журнале изменений. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} создал {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} удалил {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} создал вариант {1} из {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} изменил {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} переместил {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} скопировал {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} переименовал {1} "{2}" в "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} изменил контент на {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} создал нового пользователя "{1}" для {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} удалил учётную запись "{1}" из {2}. - Load More + Load More Загрузить ещё - This node has been removed in the meantime + This node has been removed in the meantime За прошедшее время элемент был удален - Administration + Administration Администрирование - Contains multiple modules related to administration + Contains multiple modules related to administration Содержит модули администрирования - User Management + User Management Управление пользователями - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Модуль управления пользователями даёт представление о всех пользователях в системе. Можно группировать их по свойствам для облегчения контроля их прав, точек доступа, принадлежности к группам и т.п.. Это незаменимый инструмент для контроля настроек пользователей. - Overview + Overview Обзор - Show + Show Показать - New + New Создать - Edit + Edit Редактировать - Edit account + Edit account Изменить учетную запись - New electronic address + New electronic address Новый электронный адрес - Use system default + Use system default Установки по умолчанию - Create user + Create user Создать пользователя - Create a new user + Create a new user Создать нового пользователя - User Data + User Data Данные пользователя - Username + Username Имя пользователя - Password + Password Пароль - Repeat password + Repeat password Повторите пароль - Role(s) + Role(s) Роли - Authentication Provider + Authentication Provider Поставщик проверки подлинности - Use system default + Use system default Установки по умолчанию - Personal Data + Personal Data Личные данные - First Name + First Name Имя - Last Name + Last Name Фамилия - User Preferences + User Preferences Настройки пользователя - Interface Language + Interface Language Язык интерфейса - Create user + Create user Создать пользователя - Details for user + Details for user Подробная информация для пользователя - Personal Data + Personal Data Личные данные - Title + Title Название - First Name + First Name Имя - Middle Name + Middle Name Отчество - Last Name + Last Name Фамилия - Other Name + Other Name Другая часть имени - Accounts + Accounts Учётные записи - Username + Username Имя пользователя - Roles + Roles Роли - Electronic Addresses + Electronic Addresses Электронные адреса - Primary + Primary Основной - N/A + N/A Н/Д - Delete User + Delete User Удалить пользователя - Edit User + Edit User Редактирование пользователя - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Вы вошли как пользователь, и вы не можете удалить сами себя. - Click here to delete this user + Click here to delete this user Нажмите здесь, чтобы удалить этого пользователя - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Вы действительно хотите удалить пользователя "{0}"? - Yes, delete the user + Yes, delete the user Да, удалить пользователя - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Это удалит пользователя, все связанные учетные записи и личные рабочие области, включая неопубликованные изменения. - This operation cannot be undone + This operation cannot be undone Эта операция не может быть отменена - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Редактировать учетную запись "{accountIdentifier}" - Account + Account Учетная запись - Username + Username Имя пользователя - The username can't be changed via the user interface + The username can't be changed via the user interface Имя пользователя не может быть изменено через пользовательский интерфейс - Save account + Save account Сохранить учетную запись - Repeat password + Repeat password Повторите пароль - Roles + Roles Роли - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Имя - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Учетные записи и роли - View user + View user Просмотр пользователя - Edit user + Edit user Редактировать учётную запись пользователя - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Удалить учётную запись пользователя - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Вы вошли как пользователь, и вы не можете удалить сами себя. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Вы действительно хотите удалить пользователя "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Это удалит пользователя, все связанные учетные записи и личные рабочие области, включая неопубликованные изменения. - Yes, delete the user + Yes, delete the user Да, удалить пользователя - Edit user "{0}" + Edit user "{0}" Редактирование учетной записи пользователя "{0}" - Home + Home Домой - Work + Work Рабочий - Package Management + Package Management Управление пакетами - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Модуль управления пакетами даёт представление обо всех пакетах. Отдельные пакеты можно активировать или отключить, импортировать новые или удалить существующие. Также имеется возможность заморозить и разморозить пакеты в контексте разработки. - Available packages + Available packages Доступные пакеты - Package Name + Package Name Название пакета - Package Key + Package Key Ключ пакета - Package Type + Package Type Тип пакета - Deactivated + Deactivated Деактивирован - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Этот пакет в настоящее время заморожен. Нажмите, чтобы разморозить его. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Заморозить пакет для того, чтобы ускорить ваш веб-сайт. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Этот пакет является защищенным и не может быть деактивирован. - Deactivate Package + Deactivate Package Деактивировать пакет - Activate Package + Activate Package Активировать пакет - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Этот пакет защищён и не может быть удален. - Delete Package + Delete Package Удалить пакет - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Вы действительно хотите удалить "{0}"? - Yes, delete the package + Yes, delete the package Да, удалить пакет - Yes, delete the packages + Yes, delete the packages Да, удалить пакеты - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Вы действительно хотите удалить выбранные пакеты? - Freeze selected packages + Freeze selected packages Заморозить выбранные пакеты - Unfreeze selected packages + Unfreeze selected packages Разморозить выбранные пакеты - Delete selected packages + Delete selected packages Удалить выбранные пакеты - Deactivate selected packages + Deactivate selected packages Отключить выбранные пакеты - Activate selected packages + Activate selected packages Активировать выбранные пакеты - Sites Management + Sites Management Управление сайтами - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Модуль управления сайтами даёт представление обо всех сайтах. Можно редактировать, добавлять и удалять информацию о сайтах, например добавить новый домен. - Add new site + Add new site Добавить новый сайт - Create site + Create site Создать сайт - Create a new site + Create a new site Создать новый сайт - Root node name + Root node name Имя корневого элемента - Domains + Domains Домены - Site + Site Сайт - Name + Name Имя - Default asset collection + Default asset collection Коллекция медиа-ресурсов по умолчанию - Site package + Site package Пакет сайта - Delete this site + Delete this site Удалить этот сайт - Deactivate site + Deactivate site Отключить сайт - Activate site + Activate site Включить сайт - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Вы действительно хотите удалить "{0}"? Это действие безвозвратное. - Yes, delete the site + Yes, delete the site Да, удалить сайт - Import a site + Import a site Импортировать сайт - Select a site package + Select a site package Выберите пакет сайта - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Нет пакетов сайтов. Убедитесь, что у вас есть пакет с активным сайтом. - Create a blank site + Create a blank site Создать пустой сайт - Select a document nodeType + Select a document nodeType Выберите документ nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Название сайта - Create empty site + Create empty site Создать пустой сайт - Create a new site package + Create a new site package Создать новый пакет сайта - VendorName.MyPackageKey + VendorName.MyPackageKey НазваниеФирмы.КолонтитулПакета - No sites available + No sites available Нет доступных сайтов - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. Пакет <em>Neos Kickstarter</em> не установлен, установите его для кикстарта новых сайтов. - New site + New site Создать сайт - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Вы действительно хотите удалить "{0}"? Это действие безвозвратное. - New domain + New domain Новый домен - Edit domain + Edit domain Править домен - Domain data + Domain data Данные домена - e.g. www.neos.io + e.g. www.neos.io например www.neos.io - State + State Состояние - Create + Create Создать - Configuration + Configuration Конфигурация - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Модуль Конфигурации предоставляет вам обзор всех типов конфигурации. - Dimensions + Dimensions Размеры - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Предоставляет графический обзор настроек резервного поведения внутри одного измерения контента и между ними. - Inter dimensional fallback graph + Inter dimensional fallback graph Междименсиональная диаграмма резервного поведения - Inter dimensional + Inter dimensional Междименсиональные - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Междименсиональная диаграмма резервного поведения отображает все возможные поведения(изображены как грани) между вложенными диаграммами(изображены как элементы). @@ -879,416 +875,416 @@ Click on one of the nodes to only see its fallbacks and variants. Click again to Щёлкните на одно из измерений, чтобы увидеть только его резервные поведения и варианты. Щёлкните снова, чтобы удалить этот фильтр. - Intra dimensional fallback graph + Intra dimensional fallback graph Внутри-дименсиональная диаграмма резервного поведения - Intra dimensional + Intra dimensional Внутри-дименсиональные - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. Внутри-дименсиональная диаграмма отображает резервные поведения в рамках одного измерения контента. - User + User Пользователь - User Settings + User Settings Мои настройки - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Этот модуль позволяет вам настроить ваш профиль пользователя. Здесь вы можете изменить ваш активный системный язык, имя и адрес электронной почты. Здесь вы также можете настроить другие функции системы. - Edit + Edit Редактировать - Edit + Edit Редактировать - New electronic address + New electronic address Новый электронный адрес - Edit account + Edit account Изменить учетную запись - Personal Data + Personal Data Личные данные - User Data + User Data Данные пользователя - User Menu + User Menu Меню пользователя - User Preferences + User Preferences Настройки пользователя - Interface Language + Interface Language Язык интерфейса - Use system default + Use system default Установки по умолчанию - Accounts + Accounts Учётные записи - Username + Username Имя пользователя - Roles + Roles Роли - Authentication Provider + Authentication Provider Поставщик проверки подлинности - Electronic addresses + Electronic addresses Электронные адреса - Do you really want to delete + Do you really want to delete Вы действительно хотите удалить - Yes, delete electronic address + Yes, delete electronic address Да, удалить электронный адрес - Click to add a new Electronic address + Click to add a new Electronic address Нажмите, чтобы добавить новый электронный адрес - Add electronic address + Add electronic address Добавить электронный адрес - Save User + Save User Сохранить Пользователя - Edit User + Edit User Редактирование пользователя - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Обновить - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Редактирование пользователя - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/sr/Modules.xlf b/Neos.Neos/Resources/Private/Translations/sr/Modules.xlf index f4b88cb2281..5695ab3329d 100644 --- a/Neos.Neos/Resources/Private/Translations/sr/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/sr/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Back - Cancel + Cancel Откажи - Management + Management Management - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contains multiple modules related to management of content - Workspaces + Workspaces Workspaces - Details for "{0}" + Details for "{0}" Details for "{0}" - Create new workspace + Create new workspace Create new workspace - Create workspace + Create workspace Create workspace - Delete workspace + Delete workspace Delete workspace - Edit workspace + Edit workspace Edit workspace - Yes, delete the workspace + Yes, delete the workspace Yes, delete the workspace - Edit workspace "{0}" + Edit workspace "{0}" Edit workspace - Personal workspace + Personal workspace Personal workspace - Private workspace + Private workspace Private workspace - Internal workspace + Internal workspace Internal workspace - Read-only workspace + Read-only workspace Read-only workspace - Title + Title Наслов - Description + Description Description - Base workspace + Base workspace Base workspace - Owner + Owner Owner - Visibility + Visibility Visibility - Private + Private Private - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Only reviewers and administrators can access and modify this workspace - Internal + Internal Internal - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Any logged in editor can see and modify this workspace. - Changes + Changes Changes - Open page in "{0}" workspace + Open page in "{0}" workspace Open page in "{0}" workspace - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. This is your personal workspace which you can't delete. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. The workspace contains changes. To delete, discard the changes first. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. The workspace cannot be deleted because other workspaces depend on it. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. You don't have the permissions for deleting this workspace. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Do you really want to delete the workspace "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. This will delete the workspace including all unpublished content. This operation cannot be undone. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unpublished changes in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} additions: {new}, changes: {changed}, removals: {removed} - Review + Review Review - Discard selected changes + Discard selected changes Discard selected changes - - Publish selected changes - Publish selected changes - - Discard all changes + Discard all changes Discard all changes - Publish all changes + Publish all changes Publish all changes - Publish all changes to {0} + Publish all changes to {0} Publish all changes to {0} - Changed Content + Changed Content Changed Content - deleted + deleted deleted - created + created created - moved + moved moved - hidden + hidden hidden - edited + edited edited - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. There are no unpublished changes in this workspace. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Do you really want to discard all changes in the "{0}" workspace? @@ -266,612 +262,612 @@ All changes from workspace "{0}" have been discarded. - History + History History - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. This module provides an overview of all relevant events affecting this Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Here's what happened recently in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. There have not been recorded any events yet which could be displayed in this history. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} created a new user "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} deleted the account "{1}" of {2}. - Load More + Load More Load More - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Administration - Contains multiple modules related to administration + Contains multiple modules related to administration Contains multiple modules related to administration - User Management + User Management User Management - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. - Overview + Overview Overview - Show + Show Show - New + New New - Edit + Edit Измени - Edit account + Edit account Edit account - New electronic address + New electronic address New electronic address - Use system default + Use system default Use system default - Create user + Create user Create user - Create a new user + Create a new user Create a new user - User Data + User Data User Data - Username + Username Корисничко име - Password + Password Лозинка - Repeat password + Repeat password Repeat password - Role(s) + Role(s) Role(s) - Authentication Provider + Authentication Provider Authentication Provider - Use system default + Use system default Use system default - Personal Data + Personal Data Personal Data - First Name + First Name Име - Last Name + Last Name Презиме - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Create user + Create user Create user - Details for user + Details for user Details for user - Personal Data + Personal Data Personal Data - Title + Title Наслов - First Name + First Name Име - Middle Name + Middle Name Средње име - Last Name + Last Name Презиме - Other Name + Other Name Друго име - Accounts + Accounts Accounts - Username + Username Корисничко име - Roles + Roles Roles - Electronic Addresses + Electronic Addresses Electronic Addresses - Primary + Primary Osnovno - N/A + N/A N/A - Delete User + Delete User Delete User - Edit User + Edit User Edit User - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Click here to delete this user + Click here to delete this user Click here to delete this user - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - Yes, delete the user + Yes, delete the user Yes, delete the user - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This operation cannot be undone + This operation cannot be undone This operation cannot be undone - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edit account "{accountIdentifier}" - Account + Account Account - Username + Username Корисничко име - The username can't be changed via the user interface + The username can't be changed via the user interface The username can't be changed via the user interface - Save account + Save account Save account - Repeat password + Repeat password Repeat password - Roles + Roles Roles - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Name - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Accounts and Roles - View user + View user View user - Edit user + Edit user Edit user - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Delete user - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - Yes, delete the user + Yes, delete the user Yes, delete the user - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work Work - Package Management + Package Management Package Management - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Sites Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site Add new site - Create site + Create site Create site - Create a new site + Create a new site Create a new site - Root node name + Root node name Root node name - Domains + Domains Domains - Site + Site Site - Name + Name Name - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration Configuration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User User - User Settings + User Settings User Settings - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit Измени - Edit + Edit Измени - New electronic address + New electronic address New electronic address - Edit account + Edit account Edit account - Personal Data + Personal Data Personal Data - User Data + User Data User Data - User Menu + User Menu User Menu - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Use system default + Use system default Use system default - Accounts + Accounts Accounts - Username + Username Корисничко име - Roles + Roles Roles - Authentication Provider + Authentication Provider Authentication Provider - Electronic addresses + Electronic addresses Electronic addresses - Do you really want to delete + Do you really want to delete Do you really want to delete - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User Save User - Edit User + Edit User Edit User - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Ажурирај - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Edit User - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/sv/Modules.xlf b/Neos.Neos/Resources/Private/Translations/sv/Modules.xlf index d1a891e393a..81df698a3c9 100644 --- a/Neos.Neos/Resources/Private/Translations/sv/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/sv/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Tillbaka - Cancel + Cancel Avbryt - Management + Management Hantering - Contains multiple modules related to management of content + Contains multiple modules related to management of content Innehåller flera moduler relaterade till innehållshantering - Workspaces + Workspaces Arbetsytor - Details for "{0}" + Details for "{0}" Detaljer för "{0}" - Create new workspace + Create new workspace Skapa ny arbetsyta - Create workspace + Create workspace Skapa arbetsyta - Delete workspace + Delete workspace Ta bort arbetsyta - Edit workspace + Edit workspace Redigera arbetsyta - Yes, delete the workspace + Yes, delete the workspace Ja, ta bort arbetsytan - Edit workspace "{0}" + Edit workspace "{0}" Redigera arbetsyta - Personal workspace + Personal workspace Personlig arbetsyta - Private workspace + Private workspace Privat arbetsyta - Internal workspace + Internal workspace Intern arbetsyta - Read-only workspace + Read-only workspace Skrivskyddad arbetsyta - Title + Title Titel - Description + Description Beskrivning - Base workspace + Base workspace Bas-arbetsyta - Owner + Owner Ägare - Visibility + Visibility Synlighet - Private + Private Privat - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Endast förhandsgranskare och administratörer kan komma åt och ändra den här arbetsytan - Internal + Internal Internt - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. En inloggade redigerare kan se och ändra den här arbetsytan. - Changes + Changes Ändringar - Open page in "{0}" workspace + Open page in "{0}" workspace Öppna sidan i arbetsyta "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Detta är din personliga arbetsyta som du inte kan radera. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Arbetsytan innehåller ändringar. För att kunna ta bort arbetsytan måste du ignorera ändringarna först. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Arbetsytan kan inte vara baserad på en annan arbetsyta eftersom den fortfarande innehåller ändringar. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Arbetsytan kan inte raderas eftersom andra arbetsytor är beroende av den. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Du har inte behörighet att ta bort den här arbetsytan. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Vill du verkligen ta bort arbetsytan "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Detta tar bort arbetsytan inklusive allt opublicerat innehåll. Åtgärden kan ej ångras. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Denna modul innehåller en översikt över alla element inom den aktuella arbetsytan och gör det möjligt att fortsätta gransknings- och publiceringsarbetsflödet för dem. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Opublicerade ändringar i arbetsytan "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} tillägg: {new}, ändringar: {changed}, raderat: {removed} - Review + Review Granska - Discard selected changes + Discard selected changes Ignorera markerade ändringar - - Publish selected changes - Publicera markerade ändringar - - Discard all changes + Discard all changes Ignorera alla ändringar - Publish all changes + Publish all changes Publicera alla ändringar - Publish all changes to {0} + Publish all changes to {0} Publicera alla ändringar i {0} - Changed Content + Changed Content Ändrat innehåll - deleted + deleted raderat - created + created skapat - moved + moved flyttat - hidden + hidden dolt - edited + edited redigerat - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Det finns inga opublicerade ändringar i den här arbetsytan. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Vill du verkligen ignorera alla ändringar i arbetsytan "{0}"? @@ -266,612 +262,612 @@ Alla ändringar från arbetsytan "{0}" har ignorerats. - History + History Historik - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Denna modul ger en översikt över alla relevanta händelser som påverkar denna Neos-installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Här är vad som nyligen hänt i Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Det har ännu ej registrerats någon händelse i denna historik. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} skapade {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} raderade {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} skapade en variant {1} av {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} förändrade {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} flyttade {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} kopierade {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} döpte om {1} "{2}" till "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} förändrade innehållet på {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} skapade en ny användare "{1}" för {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} raderade kontot "{1}" av {2}. - Load More + Load More Ladda mer - This node has been removed in the meantime + This node has been removed in the meantime Den här noden har tagits bort under tiden - Administration + Administration Administrering - Contains multiple modules related to administration + Contains multiple modules related to administration Innehåller flera moduler för administrering - User Management + User Management Användarhantering - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Modulen Användarhantering ger dig en översikt över alla backend användare. Du kan gruppera dem enligt deras egenskaper så kan du övervaka deras behörigheter, filkvota, medlemsgrupper etc. Denna modul är ett oumbärligt verktyg för att se till att användarna är korrekt konfigurerade. - Overview + Overview Översikt - Show + Show Visa - New + New Ny - Edit + Edit Redigera - Edit account + Edit account Redigera konto - New electronic address + New electronic address Ny e-postadress - Use system default + Use system default Använd systemstandard - Create user + Create user Skapa användare - Create a new user + Create a new user Skapa en ny användare - User Data + User Data Användardata - Username + Username Användarnamn - Password + Password Lösenord - Repeat password + Repeat password Upprepa lösenordet - Role(s) + Role(s) Roll(er) - Authentication Provider + Authentication Provider Autentiseringstjänst - Use system default + Use system default Använd systemstandard - Personal Data + Personal Data Personlig data - First Name + First Name Förnamn - Last Name + Last Name Efternamn - User Preferences + User Preferences Användarinställningar - Interface Language + Interface Language Språk för gränssnittet - Create user + Create user Skapa användare - Details for user + Details for user Detaljer för användaren - Personal Data + Personal Data Personlig data - Title + Title Titel - First Name + First Name Förnamn - Middle Name + Middle Name Mellannamn - Last Name + Last Name Efternamn - Other Name + Other Name Annat namn - Accounts + Accounts Konton - Username + Username Användarnamn - Roles + Roles Roller - Electronic Addresses + Electronic Addresses Elektroniska adresser - Primary + Primary Primärt - N/A + N/A Ej tillgängligt - Delete User + Delete User Radera användare - Edit User + Edit User Redigera användare - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du är inloggad som denna användare och kan inte ta bort dig själv. - Click here to delete this user + Click here to delete this user Klicka här för att radera denna användaren - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vill du verkligen ta bort användaren "{0}"? - Yes, delete the user + Yes, delete the user Ja, ta bort användaren - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Detta tar bort användaren, relaterade konton och dennes personliga arbetsyta, inklusive alla opublicerade innehåll. - This operation cannot be undone + This operation cannot be undone Detta går ej att ångra - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Redigera kontot "{accountIdentifier}" - Account + Account Konto - Username + Username Användarnamn - The username can't be changed via the user interface + The username can't be changed via the user interface Användarnamnet kan ej ändras via användargränssnittet - Save account + Save account Spara kontot - Repeat password + Repeat password Upprepa lösenordet - Roles + Roles Roller - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Namn - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Konton och roller - View user + View user Visa användare - Edit user + Edit user Redigera användare - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Radera användare - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Du är inloggad som denna användare och kan inte ta bort dig själv. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Vill du verkligen ta bort användaren "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Detta tar bort användaren, relaterade konton och dennes personliga arbetsyta, inklusive alla opublicerade innehåll. - Yes, delete the user + Yes, delete the user Ja, ta bort användaren - Edit user "{0}" + Edit user "{0}" Redigera användaren "{0}" - Home + Home Hem - Work + Work Jobb - Package Management + Package Management Pakethantering - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Pakethanteringsmodulen ger dig en översikt över alla paket. Du kan aktivera och deaktivera enskilda paket, importera nya paket och ta bort befintliga paket. Det ger dig också möjligheten att frysa och frigöra paket i utvecklingssammanhang. - Available packages + Available packages Tillgängliga paket - Package Name + Package Name Paketnamn - Package Key + Package Key Paketnyckel - Package Type + Package Type Pakettyp - Deactivated + Deactivated Deaktiverat - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Detta paket är för närvarande fryst. Klicka för att frigöra det. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Frysa paketet för att snabba upp din webbplats. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Detta paket är skyddat och kan ej deaktiveras. - Deactivate Package + Deactivate Package Deaktivera paketet - Activate Package + Activate Package Aktivera paketet - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Detta paket är skyddat och kan ej raderas. - Delete Package + Delete Package Radera paketet - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Vill du verkligen radera "{0}"? - Yes, delete the package + Yes, delete the package Ja, radera paketet - Yes, delete the packages + Yes, delete the packages Ja, radera paketen - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Vill du verkligen radera de valda paketen? - Freeze selected packages + Freeze selected packages Frys de valda paketen - Unfreeze selected packages + Unfreeze selected packages Frigör de valda paketen - Delete selected packages + Delete selected packages Radera de valda paketen - Deactivate selected packages + Deactivate selected packages Deaktivera de valda paketen - Activate selected packages + Activate selected packages Aktivera de valda paketen - Sites Management + Sites Management Hantering av webbplatser - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Modulen för hantering av webbplatser ger dig en översikt av alla webbplatser. Du kan redigera, lägga till och radera information om dina platser, till exempel lägga till en ny domän. - Add new site + Add new site Lägg till ny sida - Create site + Create site Skapa webbplats - Create a new site + Create a new site Skapa en ny webbplats - Root node name + Root node name Rootnodsnamn - Domains + Domains Domäner - Site + Site Sida - Name + Name Namn - Default asset collection + Default asset collection Standardtillgångssamling - Site package + Site package Sid-paket - Delete this site + Delete this site Radera denna sida - Deactivate site + Deactivate site Inaktivera sida - Activate site + Activate site Aktivera sida - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Är du säker på att du vill radera "{0}"? Denna åtegärd går inte att ångra. - Yes, delete the site + Yes, delete the site Ja, radera denna sida - Import a site + Import a site Importera en sida - Select a site package + Select a site package Välj sidpaket - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Inga sidpaket är tillgängliga. Se till att du har ett aktivt sidpaket. - Create a blank site + Create a blank site Skapa tom sida - Select a document nodeType + Select a document nodeType Välj dokumentnodtyp - Select a site generator + Select a site generator Select a site generator - Site name + Site name Sidnamn - Create empty site + Create empty site Skapa tom sida - Create a new site package + Create a new site package Skapa nytt sidpaket - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available Inga webbplatser tillgängliga - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. <em>Neos Kickstarter</em> paket är inste installerat. Installera det för att snabbstarta nya sidor. - New site + New site Ny sajt - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Är du säker på att du vill radera "{0}"? Denna åtegärd går inte att ångra. - New domain + New domain Ny domän - Edit domain + Edit domain Ändra domän - Domain data + Domain data Domändata - e.g. www.neos.io + e.g. www.neos.io t.ex. www.neos.io - State + State Tillstånd - Create + Create Skapa - Configuration + Configuration Konfiguration - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Modulen konfiguration ger dig en översikt över alla konfigurationstyper. - Dimensions + Dimensions Dimensioner - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Användare - User Settings + User Settings Användarinställningar - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Med denna modul kan du anpassa användarprofilens backend. Här kan du ändra ditt aktiva systemspråk, namn och e-postadress. Du kan också konfigurera andra allmänna funktioner i systemet. - Edit + Edit Redigera - Edit + Edit Redigera - New electronic address + New electronic address Ny e-postadress - Edit account + Edit account Redigera konto - Personal Data + Personal Data Personlig data - User Data + User Data Användardata - User Menu + User Menu Användarmeny - User Preferences + User Preferences Användarinställningar - Interface Language + Interface Language Språk för gränssnittet - Use system default + Use system default Använd systemstandard - Accounts + Accounts Konton - Username + Username Användarnamn - Roles + Roles Roller - Authentication Provider + Authentication Provider Autentiseringstjänst - Electronic addresses + Electronic addresses E-postadresser - Do you really want to delete + Do you really want to delete Vill du verkligen radera - Yes, delete electronic address + Yes, delete electronic address Ja, ta bort e-postadress - Click to add a new Electronic address + Click to add a new Electronic address Klicka för att lägga till en ny e-postadress - Add electronic address + Add electronic address Lägg till e-postadress - Save User + Save User Spara användare - Edit User + Edit User Redigera användare - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Uppdatera - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Redigera användare - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/tl_PH/Modules.xlf b/Neos.Neos/Resources/Private/Translations/tl_PH/Modules.xlf index 0e2f5f2568b..82a2e2e054f 100644 --- a/Neos.Neos/Resources/Private/Translations/tl_PH/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/tl_PH/Modules.xlf @@ -3,159 +3,206 @@ - Back - Ibalik + Back + Ibalik + - Cancel - Kanselahin + Cancel + Kanselahin + - Management - Management + Management + Management + - Contains multiple modules related to management of content - Contains multiple modules related to management of content + Contains multiple modules related to management of content + Contains multiple modules related to management of content + - Workspaces - Mga workspace + Workspaces + Mga workspace + - Details for "{0}" - Details for "{0}" + Details for "{0}" + Details for "{0}" + - Create new workspace - Create new workspace + Create new workspace + Create new workspace + - Create workspace - Create workspace + Create workspace + Create workspace + - Delete workspace - Delete workspace + Delete workspace + Delete workspace + - Edit workspace - Edit workspace + Edit workspace + Edit workspace + - Yes, delete the workspace - Oo, burahin ang workspace + Yes, delete the workspace + Oo, burahin ang workspace + - Edit workspace "{0}" - Edit workspace + Edit workspace "{0}" + Edit workspace + - Personal workspace - Personal workspace + Personal workspace + Personal workspace + - Private workspace - Private workspace + Private workspace + Private workspace + - Internal workspace - Internal workspace + Internal workspace + Internal workspace + - Read-only workspace - Read-only workspace + Read-only workspace + Read-only workspace + - Title - Pamagat + Title + Pamagat + - Description - Description + Description + Description + - Base workspace - Base workspace + Base workspace + Base workspace + - Owner - May-ari + Owner + May-ari + - Visibility - Bisibilidad + Visibility + Bisibilidad + - Private - Pribado + Private + Pribado + - Only reviewers and administrators can access and modify this workspace - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace + - Internal - Panloob + Internal + Panloob + - Any logged in editor can see and modify this workspace. - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. + - Changes - Mga pagbabago + Changes + Mga pagbabago + - Open page in "{0}" workspace - Open page in "{0}" workspace + Open page in "{0}" workspace + Open page in "{0}" workspace + - This is your personal workspace which you can't delete. - Ito ay iyong personal na workspace na kung saan ito ay hindi mabubura. + This is your personal workspace which you can't delete. + Ito ay iyong personal na workspace na kung saan ito ay hindi mabubura. + - The workspace contains changes. To delete, discard the changes first. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. + - Workspace can't be rebased on a different workspace because it still contains changes. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. + - The workspace cannot be deleted because other workspaces depend on it. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. + - You don't have the permissions for deleting this workspace. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. + - Do you really want to delete the workspace "{0}"? - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? + - This will delete the workspace including all unpublished content. This operation cannot be undone. - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. + - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + - Unpublished changes in workspace "{0}" - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" + - additions: {new}, changes: {changed}, removals: {removed} - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} + - Review - Review + Review + Review + - Discard selected changes - Discard selected changes - - Publish selected changes - Publish selected changes + Discard selected changes + Discard selected changes + - Discard all changes - Discard all changes + Discard all changes + Discard all changes + - Publish all changes - Ilathala lahat ng mga pagbabago + Publish all changes + Ilathala lahat ng mga pagbabago + - Publish all changes to {0} - Publish all changes to {0} + Publish all changes to {0} + Publish all changes to {0} + - Changed Content - Changed Content + Changed Content + Changed Content + - deleted - nabura + deleted + nabura + - created - nagawa + created + nagawa + - moved - inilipat + moved + inilipat + - hidden - nakatago + hidden + nakatago + - edited - na-edit + edited + na-edit + - There are no unpublished changes in this workspace. - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. + - Do you really want to discard all changes in the "{0}" workspace? - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? + A workspace with this title already exists. A workspace with this title already exists. @@ -215,779 +262,1031 @@ All changes from workspace "{0}" have been discarded. - History - History + History + History + - This module provides an overview of all relevant events affecting this Neos installation. - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. + - Here's what happened recently in Neos - Here's what happened recently in Neos + Here's what happened recently in Neos + Here's what happened recently in Neos + - There have not been recorded any events yet which could be displayed in this history. - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. + - {0} created the {1} "{2}". - {0} ang gumawa ng {1} "{2}". + {0} created the {1} "{2}". + {0} ang gumawa ng {1} "{2}". + - {0} removed the {1} "{2}". - {0} ay tinanggal ang {1} "{2}". + {0} removed the {1} "{2}". + {0} ay tinanggal ang {1} "{2}". + - {0} created the variant {1} of the {2} "{3}". - {0} ay gumawa ng iba't-ibang {1} ng mga {2} "{3}". + {0} created the variant {1} of the {2} "{3}". + {0} ay gumawa ng iba't-ibang {1} ng mga {2} "{3}". + - {0} modified the {1} "{2}". - {0} ay binago ang {1} "{2}". + {0} modified the {1} "{2}". + {0} ay binago ang {1} "{2}". + - {0} moved the {1} "{2}". - {0} ay inilipat ang {1} "{2}". + {0} moved the {1} "{2}". + {0} ay inilipat ang {1} "{2}". + - {0} copied the {1} "{2}". - {0} ay kinopya ang {1} "{2}". + {0} copied the {1} "{2}". + {0} ay kinopya ang {1} "{2}". + - {0} renamed the {1} "{2}" to "{3}". - {0} ay pinalitan ang pangalan ng {1} "{2}" sa "{3}". + {0} renamed the {1} "{2}" to "{3}". + {0} ay pinalitan ang pangalan ng {1} "{2}" sa "{3}". + - {0} modified content on the {1} "{2}". - {0} ay binago ang nilalaman sa {1} "{2}". + {0} modified content on the {1} "{2}". + {0} ay binago ang nilalaman sa {1} "{2}". + - {0} created a new user "{1}" for {2}. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. + - {0} deleted the account "{1}" of {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. + - Load More - Load More + Load More + Load More + - This node has been removed in the meantime - This node has been removed in the meantime + This node has been removed in the meantime + This node has been removed in the meantime + - Administration - Administration + Administration + Administration + - Contains multiple modules related to administration - Contains multiple modules related to administration + Contains multiple modules related to administration + Contains multiple modules related to administration + - User Management - User Management + User Management + User Management + - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + - Overview - Overview + Overview + Overview + - Show - Show + Show + Show + - New - New + New + New + - Edit - Edit + Edit + Edit + - Edit account - Edit account + Edit account + Edit account + - New electronic address - New electronic address + New electronic address + New electronic address + - Use system default - Use system default + Use system default + Use system default + - Create user - Create user + Create user + Create user + - Create a new user - Create a new user + Create a new user + Create a new user + - User Data - User Data + User Data + User Data + - Username - Username + Username + Username + - Password - Password + Password + Password + - Repeat password - Repeat password + Repeat password + Repeat password + - Role(s) - Role(s) + Role(s) + Role(s) + - Authentication Provider - Authentication Provider + Authentication Provider + Authentication Provider + - Use system default - Use system default + Use system default + Use system default + - Personal Data - Personal Data + Personal Data + Personal Data + - First Name - First Name + First Name + First Name + - Last Name - Last Name + Last Name + Last Name + - User Preferences - User Preferences + User Preferences + User Preferences + - Interface Language - Interface Language + Interface Language + Interface Language + - Create user - Create user + Create user + Create user + - Details for user - Details for user + Details for user + Details for user + - Personal Data - Personal Data + Personal Data + Personal Data + - Title - Pamagat + Title + Pamagat + - First Name - First Name + First Name + First Name + - Middle Name - Middle Name + Middle Name + Middle Name + - Last Name - Last Name + Last Name + Last Name + - Other Name - Other Name + Other Name + Other Name + - Accounts - Accounts + Accounts + Accounts + - Username - Username + Username + Username + - Roles - Roles + Roles + Roles + - Electronic Addresses - Electronic Addresses + Electronic Addresses + Electronic Addresses + - Primary - Primary + Primary + Primary + - N/A - N/A + N/A + N/A + - Delete User - Delete User + Delete User + Delete User + - Edit User - Edit User + Edit User + Edit User + - You are logged in as this user and you cannot delete yourself. - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + - Click here to delete this user - Click here to delete this user + Click here to delete this user + Click here to delete this user + - Do you really want to delete the user "{0}"? - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + - Yes, delete the user - Yes, delete the user + Yes, delete the user + Yes, delete the user + - This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + - This operation cannot be undone - This operation cannot be undone + This operation cannot be undone + This operation cannot be undone + - Edit account "{accountIdentifier}" - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" + - Account - Account + Account + Account + - Username - Username + Username + Username + - The username can't be changed via the user interface - The username can't be changed via the user interface + The username can't be changed via the user interface + The username can't be changed via the user interface + - Save account - Save account + Save account + Save account + - Repeat password - Repeat password + Repeat password + Repeat password + - Roles - Roles + Roles + Roles + - Directly assigned privilege - Directly assigned privilege + Directly assigned privilege + Directly assigned privilege + - Name - Pangalan + Name + Pangalan + - From Parent Role "{role}" - From Parent Role "{role}" + From Parent Role "{role}" + From Parent Role "{role}" + - Accounts and Roles - Accounts and Roles + Accounts and Roles + Accounts and Roles + - View user - View user + View user + View user + - Edit user - Edit user + Edit user + Edit user + - Not enough privileges to edit this user - Not enough privileges to edit this user + Not enough privileges to edit this user + Not enough privileges to edit this user + - Not enough privileges to delete this user - Not enough privileges to delete this user + Not enough privileges to delete this user + Not enough privileges to delete this user + - Delete user - Delete user + Delete user + Delete user + - You are logged in as this user and you cannot delete yourself. - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. + - Do you really want to delete the user "{0}"? - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? + - This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. + - Yes, delete the user - Yes, delete the user + Yes, delete the user + Yes, delete the user + - Edit user "{0}" - Edit user "{0}" + Edit user "{0}" + Edit user "{0}" + - Home - Home + Home + Home + - Work - Work + Work + Work + - Package Management - Package Management + Package Management + Package Management + - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + - Available packages - Available packages + Available packages + Available packages + - Package Name - Package Name + Package Name + Package Name + - Package Key - Package Key + Package Key + Package Key + - Package Type - Package Type + Package Type + Package Type + - Deactivated - Deactivated + Deactivated + Deactivated + - This package is currently frozen. Click to unfreeze it. - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. + - Freeze the package in order to speed up your website. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. + - This package is protected and cannot be deactivated. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. + - Deactivate Package - Deactivate Package + Deactivate Package + Deactivate Package + - Activate Package - Activate Package + Activate Package + Activate Package + - This package is protected and cannot be deleted. - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. + This package is protected and cannot be deleted. + - Delete Package - Delete Package + Delete Package + Delete Package + - Do you really want to delete "{0}"? - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? + Do you really want to delete "{0}"? + - Yes, delete the package - Yes, delete the package + Yes, delete the package + Yes, delete the package + - Yes, delete the packages - Yes, delete the packages + Yes, delete the packages + Yes, delete the packages + - Do you really want to delete the selected packages? - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? + Do you really want to delete the selected packages? + - Freeze selected packages - Freeze selected packages + Freeze selected packages + Freeze selected packages + - Unfreeze selected packages - Unfreeze selected packages + Unfreeze selected packages + Unfreeze selected packages + - Delete selected packages - Delete selected packages + Delete selected packages + Delete selected packages + - Deactivate selected packages - Deactivate selected packages + Deactivate selected packages + Deactivate selected packages + - Activate selected packages - Activate selected packages + Activate selected packages + Activate selected packages + - Sites Management - Sites Management + Sites Management + Sites Management + - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + - Add new site - Add new site + Add new site + Add new site + - Create site - Create site + Create site + Create site + - Create a new site - Create a new site + Create a new site + Create a new site + - Root node name - Root node name + Root node name + Root node name + - Domains - Domains + Domains + Domains + - Site - Site + Site + Site + - Name - Pangalan + Name + Pangalan + - Default asset collection - Default asset collection + Default asset collection + Default asset collection + - Site package - Site package + Site package + Site package + - Delete this site - Delete this site + Delete this site + Delete this site + - Deactivate site - Deactivate site + Deactivate site + Deactivate site + - Activate site - Activate site + Activate site + Activate site + - Do you really want to delete "{0}"? This action cannot be undone. - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + - Yes, delete the site - Yes, delete the site + Yes, delete the site + Yes, delete the site + - Import a site - Import a site + Import a site + Import a site + - Select a site package - Select a site package + Select a site package + Select a site package + - No site packages are available. Make sure you have an active site package. - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. + - Create a blank site - Create a blank site + Create a blank site + Create a blank site + - Select a document nodeType - Select a document nodeType + Select a document nodeType + Select a document nodeType + - Select a site generator - Select a site generator + Select a site generator + Select a site generator + - Site name - Site name + Site name + Site name + - Create empty site - Create empty site + Create empty site + Create empty site + - Create a new site package - Create a new site package + Create a new site package + Create a new site package + - VendorName.MyPackageKey - VendorName.MyPackageKey + VendorName.MyPackageKey + VendorName.MyPackageKey + - No sites available - No sites available + No sites available + No sites available + - The Neos Kickstarter package is not installed, install it to kickstart new sites. - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + - New site - New site + New site + New site + - Do you really want to delete "{0}"? This action cannot be undone. - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. + - New domain - New domain + New domain + New domain + - Edit domain - Edit domain + Edit domain + Edit domain + - Domain data - Domain data + Domain data + Domain data + - e.g. www.neos.io - e.g. www.neos.io + e.g. www.neos.io + e.g. www.neos.io + - State - State + State + State + - Create - Create + Create + Create + - Configuration - Configuration + Configuration + Configuration + - The Configuration module provides you with an overview of all configuration types. - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. + - Dimensions - Dimensions + Dimensions + Dimensions + - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + - Inter dimensional fallback graph - Inter dimensional fallback graph + Inter dimensional fallback graph + Inter dimensional fallback graph + - Inter dimensional - Inter dimensional + Inter dimensional + Inter dimensional + - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. -Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. +Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. + - Intra dimensional fallback graph - Intra dimensional fallback graph + Intra dimensional fallback graph + Intra dimensional fallback graph + - Intra dimensional - Intra dimensional + Intra dimensional + Intra dimensional + - The intra dimensional fallback graph displays fallbacks within each content dimension. - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. + - User - User + User + User + - User Settings - User Settings + User Settings + User Settings + - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + - Edit - Edit + Edit + Edit + - Edit - Edit + Edit + Edit + - New electronic address - New electronic address + New electronic address + New electronic address + - Edit account - Edit account + Edit account + Edit account + - Personal Data - Personal Data + Personal Data + Personal Data + - User Data - User Data + User Data + User Data + - User Menu - User Menu + User Menu + User Menu + - User Preferences - User Preferences + User Preferences + User Preferences + - Interface Language - Interface Language + Interface Language + Interface Language + - Use system default - Use system default + Use system default + Use system default + - Accounts - Accounts + Accounts + Accounts + - Username - Username + Username + Username + - Roles - Roles + Roles + Roles + - Authentication Provider - Authentication Provider + Authentication Provider + Authentication Provider + - Electronic addresses - Electronic addresses + Electronic addresses + Electronic addresses + - Do you really want to delete - Gusto mo ba talagang burahin itong buwis + Do you really want to delete + Gusto mo ba talagang burahin itong buwis + - Yes, delete electronic address - Yes, delete electronic address + Yes, delete electronic address + Yes, delete electronic address + - Click to add a new Electronic address - Click to add a new Electronic address + Click to add a new Electronic address + Click to add a new Electronic address + - Add electronic address - Add electronic address + Add electronic address + Add electronic address + - Save User - Save User + Save User + Save User + - Edit User - Edit User + Edit User + Edit User + - An error occurred during validation of the configuration. - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. + An error occurred during validation of the configuration. + - Configuration type not found. - Configuration type not found. + Configuration type not found. + Configuration type not found. + - Site package not found - Site package not found + Site package not found + Site package not found + - The site package with key "{0}" was not found. - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. + The site package with key "{0}" was not found. + - Update - I-update + Update + I-update + - The site "{0}" has been updated. - The site "{0}" has been updated. + The site "{0}" has been updated. + The site "{0}" has been updated. + - Missing Package - Missing Package + Missing Package + Missing Package + - The package "{0}" is required to create new site packages. - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. + - Invalid package key - Invalid package key + Invalid package key + Invalid package key + - Site Packages {0} was created. - Site Packages {0} was created. + Site Packages {0} was created. + Site Packages {0} was created. + - The package key "{0}" already exists. - The package key "{0}" already exists. + The package key "{0}" already exists. + The package key "{0}" already exists. + - The site has been imported. - The site has been imported. + The site has been imported. + The site has been imported. + - Import error - Import error + Import error + Import error + - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: A site with siteNodeName "{0}" already exists - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: The given node type "{0}" was not found - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found + - Site creation error - Site creation error + Site creation error + Site creation error + - Error: The given node type "%s" is not based on the superType "{0}" - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" + - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + - Site deleted - Site deleted + Site deleted + Site deleted + - The site "{0}" has been deleted. - The site "{0}" has been deleted. + The site "{0}" has been deleted. + The site "{0}" has been deleted. + - Site activated - Site activated + Site activated + Site activated + - The site "{0}" has been activated. - The site "{0}" has been activated. + The site "{0}" has been activated. + The site "{0}" has been activated. + - Site deactivated - Site deactivated + Site deactivated + Site deactivated + - The site "{0}" has been deactivated. - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. + The site "{0}" has been deactivated. + - Domain updated - Domain updated + Domain updated + Domain updated + - The domain "{0}" has been updated. - The domain "{0}" has been updated. + The domain "{0}" has been updated. + The domain "{0}" has been updated. + - Domain created - Domain created + Domain created + Domain created + - 'The domain "{0}" has been created.' - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' + - Domain deleted - Domain deleted + Domain deleted + Domain deleted + - The domain "{0}" has been deleted. - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. + The domain "{0}" has been deleted. + - Domain activated - Domain activated + Domain activated + Domain activated + - The domain "{0}" has been activated. - The domain "{0}" has been activated. + The domain "{0}" has been activated. + The domain "{0}" has been activated. + - Domain deactivated - Domain deactivated + Domain deactivated + Domain deactivated + - The domain "{0}" has been deactivated. - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. + - User created - User created + User created + User created + - The user "{0}" has been created. - The user "{0}" has been created. + The user "{0}" has been created. + The user "{0}" has been created. + - User creation denied - User creation denied + User creation denied + User creation denied + - You are not allowed to create a user with roles "{0}". - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". + - Unable to create user. + Unable to create user. Unable to create user. - User editing denied - User editing denied + User editing denied + User editing denied + - Not allowed to edit the user "{0}". - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". + - User updated - User updated + User updated + User updated + - The user "{0}" has been updated. - The user "{0}" has been updated. + The user "{0}" has been updated. + The user "{0}" has been updated. + - User editing denied - User editing denied + User editing denied + User editing denied + - Not allowed to delete the user "{0}". - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". + - Current user cannot be deleted - Current user cannot be deleted + Current user cannot be deleted + Current user cannot be deleted + - You cannot delete the currently logged in user - You cannot delete the currently logged in user + You cannot delete the currently logged in user + You cannot delete the currently logged in user + - User deleted - User deleted + User deleted + User deleted + - The user "{0}" has been deleted. - The user "{0}" has been deleted. + The user "{0}" has been deleted. + The user "{0}" has been deleted. + - User account editing denied - User account editing denied + User account editing denied + User account editing denied + - Not allowed to edit the account for the user "{0}". - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". + - Don\'t lock yourself out - Don\'t lock yourself out + Don\'t lock yourself out + Don\'t lock yourself out + - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + - Account updated - Account updated + Account updated + Account updated + - The account has been updated. - The account has been updated. + The account has been updated. + The account has been updated. + - User email editing denied - User email editing denied + User email editing denied + User email editing denied + - Not allowed to create an electronic address for the user "{0}". - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". + - Electronic address added - Electronic address added + Electronic address added + Electronic address added + - An electronic address "{0}" ({1}) has been added. - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + - User email deletion denied - User email deletion denied + User email deletion denied + User email deletion denied + - Not allowed to delete an electronic address for the user "{0}". - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". + - Electronic address removed - Electronic address removed + Electronic address removed + Electronic address removed + - The electronic address "{0}" ({1}) has been deleted for "{2}". - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + - User updated - User updated + User updated + User updated + - Your user has been updated. - Your user has been updated. + Your user has been updated. + Your user has been updated. + - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated - Password updated + Password updated + Password updated + - The password has been updated. - The password has been updated. + The password has been updated. + The password has been updated. + - Edit User - Edit User + Edit User + Edit User + - An electronic address "{0}" ({1}) has been added. - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. + - Electronic address removed - Electronic address removed + Electronic address removed + Electronic address removed + - The electronic address "{0}" ({1}) has been deleted for "{2}". - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". + diff --git a/Neos.Neos/Resources/Private/Translations/tr/Modules.xlf b/Neos.Neos/Resources/Private/Translations/tr/Modules.xlf index ad9618d5fe7..8001a23e726 100644 --- a/Neos.Neos/Resources/Private/Translations/tr/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/tr/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Geri - Cancel + Cancel İptal et - Management + Management Yönetim - Contains multiple modules related to management of content + Contains multiple modules related to management of content İçeriğin yönetimi ile ilgili birçok modül içerir - Workspaces + Workspaces Çalışma alanları - Details for "{0}" + Details for "{0}" "{0}" için ayrıntılar - Create new workspace + Create new workspace Yeni çalışma alanı oluştur - Create workspace + Create workspace Çalışma alanı oluştur - Delete workspace + Delete workspace Çalışma alanını sil - Edit workspace + Edit workspace Çalışma alanını düzenle - Yes, delete the workspace + Yes, delete the workspace Evet, çalışma alanını sil - Edit workspace "{0}" + Edit workspace "{0}" Çalışma alanını düzenle - Personal workspace + Personal workspace Kişisel çalışma alanı - Private workspace + Private workspace Özel çalışma alanı - Internal workspace + Internal workspace İç çalışma alanı - Read-only workspace + Read-only workspace Salt okunur çalışma alanı - Title + Title Başlık - Description + Description Açıklama - Base workspace + Base workspace Temel çalışma alanı - Owner + Owner Sahibi - Visibility + Visibility Netlik - Private + Private Özel - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Bu çalışma alanına yalnızca inceleyiciler ve yöneticiler erişebilir ve değiştirebilir - Internal + Internal Dahili - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Oturum açmış herhangi bir düzenleyici bu çalışma alanını görebilir ve değiştirebilir. - Changes + Changes Değişiklikler - Open page in "{0}" workspace + Open page in "{0}" workspace Sayfayı "{0}" çalışma alanında açın - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Bu sizin silemeyeceğiniz kişisel çalışma alanınızdır. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Çalışma alanı değişiklikler içeriyor. Silmek için önce değişiklikleri iptal etmelisiniz. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Çalışma alanı, hâlâ değişiklikler içerdiği için bir başka çalışma alanının üzerine yeniden kurulamaz. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Diğer çalışma alanları bu çalışma alanına bağlı olduklarından çalışma alanı silinemez. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. Bu çalışma alanını silmek için izniniz bulunmamakta. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? "{0}" çalışma alanını silmek istediğinizden emin misiniz? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Bu, çalışma alanını, yayımlanmamış bütün içerikler de dahil olmak üzere silecektir. Bu işlem geri alınamaz. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Bu modül geçerli çalışma alanı içerisindeki bütün öğelerin genel görünümünü içerir ve onların incelemeye devam etme ve yayımlama iş akışlarını etkinleştirir. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" {0} çalışma alanındaki yayımlanmamış değişiklikler - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} eklemeler: {new}, değişiklikler: {changed}, kaldırmalar: {removed} - Review + Review İncele - Discard selected changes + Discard selected changes Seçili değişiklikleri iptal et - - Publish selected changes - Seçili değişiklikleri yayımla - - Discard all changes + Discard all changes Bütün değişiklikleri iptal et - Publish all changes + Publish all changes Tüm değişiklikleri yayımla - Publish all changes to {0} + Publish all changes to {0} Bütün değişiklikleri {0} üzerine yayımla - Changed Content + Changed Content Değiştirilmiş İçerik - deleted + deleted silindi - created + created oluşturuldu - moved + moved taşındı - hidden + hidden gizli - edited + edited düzenlendi - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Bu çalışma alanında yayımlanmamış değişiklik yok. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? "{0}" çalışma alanındaki bütün değişiklikleri iptal etmek istediğinizden emin misiniz? @@ -230,10 +226,12 @@ Did not delete workspace "{0}" because it currently contains {1} node. - Şu anda {1} düğüm içerdiği için "{0}" çalışma alanı silinmedi. + Şu anda {1} düğüm içerdiği için "{0}" çalışma alanı silinmedi. + Did not delete workspace "{0}" because it currently contains {1} nodes. - Şu anda {1} düğüm içerdiği için "{0}" çalışma alanı silinmedi. + Şu anda {1} düğüm içerdiği için "{0}" çalışma alanı silinmedi. + The workspace "{0}" has been removed. @@ -264,612 +262,612 @@ "{0}" çalışma alanındaki tüm değişiklikler iptal edildi. - History + History Geçmiş - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Bu modül bu Neos kurulumunu etkileyen tüm ilgili olaylara genel bir bakış sağlar. - Here's what happened recently in Neos + Here's what happened recently in Neos İşte son zamanlarda Neos'da olanlar - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Henüz bu geçmişte gösterilebilecek herhangi bir olay kaydedildi. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0}, {1} "{2}" oluşturdu. - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0}, {1} "{2}" 'yi kaldırdı. - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0}, {2} "{3}" varyantını {1} oluşturdu. - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0}, {1} "{2}" değiştirdi. - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0}, {1} "{2}" taşıdı. - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0}, {1} "{2}" kopyaladı. - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0}, {1} "{2}" dan "{3}" olarak yeniden adlandırıldı. - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0}, {1} "{2}" içeriği değiştirdi. - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0}, {2} için "{1}" adlı yeni bir kullanıcı oluşturdu. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0}, {2} hesabının "{1}" hesabını sildi. - Load More + Load More Daha Fazla Yükle - This node has been removed in the meantime + This node has been removed in the meantime Bu düğüm bu arada kaldırıldı - Administration + Administration Yönetim - Contains multiple modules related to administration + Contains multiple modules related to administration Yönetimle ilgili birden fazla modül içerir - User Management + User Management Kullanıcı Yönetimi - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Kullanıcı Yönetimi modülü, tüm arka uç kullanıcılarına genel bir bakış sağlar. Bunları özelliklerine göre gruplayabilirsiniz, böylece izinlerini, dosya bağlantılarını, üye gruplarını vb. izleyebilirsiniz. Bu modül, kullanıcıların doğru şekilde yapılandırıldığından emin olmak için vazgeçilmez bir araçtır. - Overview + Overview Genel bakış - Show + Show Göster - New + New Yeni - Edit + Edit Düzenle - Edit account + Edit account Hesabı düzenle - New electronic address + New electronic address Yeni elektronik adresi - Use system default + Use system default Sistem varsayılanı kullan - Create user + Create user Kullanıcı oluştur - Create a new user + Create a new user Yeni bir kullanıcı oluştur - User Data + User Data Kullanıcı Verisi - Username + Username Kullanıcı adı - Password + Password Şifre - Repeat password + Repeat password Şifreyi tekrar girin - Role(s) + Role(s) Rol(ler) - Authentication Provider + Authentication Provider Kimlik Doğrulama Sağlayıcısı - Use system default + Use system default Sistem varsayılanı kullan - Personal Data + Personal Data Kişisel Verisi - First Name + First Name Ad - Last Name + Last Name Soyad - User Preferences + User Preferences Kullanıcı Tercihleri - Interface Language + Interface Language Arayüz Dili - Create user + Create user Kullanıcı oluştur - Details for user + Details for user Kullanıcı için ayrıntılar - Personal Data + Personal Data Kişisel Verisi - Title + Title Başlık - First Name + First Name Ad - Middle Name + Middle Name İkinci Ad - Last Name + Last Name Soyad - Other Name + Other Name Diğer Ad - Accounts + Accounts Hesaplar - Username + Username Kullanıcı adı - Roles + Roles Roller - Electronic Addresses + Electronic Addresses Elektronik Adresleri - Primary + Primary Birincil - N/A + N/A Bilinmiyor - Delete User + Delete User Kullanıcıyı Sil - Edit User + Edit User Kullanıcıyı Düzenle - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Bu kullanıcı olarak oturum açtınız ve kendiniz silemezsiniz. - Click here to delete this user + Click here to delete this user Bu kullanıcıyı silmek için buraya tıklayın - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? "{0}" kullanıcısını gerçekten silmek istiyor musunuz? - Yes, delete the user + Yes, delete the user Evet, kullanıcıyı sil - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Bu, yayımlanmamış tüm içerik de dahil olmak üzere kullanıcıyı, ilgili hesapları ve kişisel çalışma alanını silecek. - This operation cannot be undone + This operation cannot be undone Bu işlem geri alınamaz - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" "{accountIdentifier}" hesabını düzenle - Account + Account Hesap - Username + Username Kullanıcı adı - The username can't be changed via the user interface + The username can't be changed via the user interface Kullanıcı adı kullanıcı arabirimi aracılığıyla değiştirilemez - Save account + Save account Hesabı kaydet - Repeat password + Repeat password Şifreyi tekrar girin - Roles + Roles Roller - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Ad - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Hesaplar ve Roller - View user + View user Kullanıcıyı gör - Edit user + Edit user Kullanıcıyı düzenle - Not enough privileges to edit this user + Not enough privileges to edit this user Bu kullanıcıyı düzenlemek için yeterli yetki yok - Not enough privileges to delete this user + Not enough privileges to delete this user Bu kullanıcıyı silmek için yeterli yetki yok - Delete user + Delete user Kullanıcıyı sil - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Bu kullanıcı olarak oturum açtınız ve kendiniz silemezsiniz. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? "{0}" kullanıcısını gerçekten silmek istiyor musunuz? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Bu, yayımlanmamış tüm içerik de dahil olmak üzere kullanıcıyı, ilgili hesapları ve kişisel çalışma alanını silecek. - Yes, delete the user + Yes, delete the user Evet, kullanıcıyı sil - Edit user "{0}" + Edit user "{0}" "{0}" kullanıcısını düzenle - Home + Home Ana - Work + Work İş - Package Management + Package Management Paket Yönetimi - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Paket Yönetimi modülü, tüm paketlere genel bir bakış sağlar. Tek tek paketleri etkinleştirebilir ve devre dışı bırakabilir, yeni paketleri içe aktarabilir ve mevcut paketleri silebilirsiniz. Ayrıca geliştirme bağlamında paketleri dondurma ve çözme yeteneği de sağlar. - Available packages + Available packages Mevcut paketler - Package Name + Package Name Paket Adı - Package Key + Package Key Paket Anahtarı - Package Type + Package Type Paket Türü - Deactivated + Deactivated Devre dışı bırakıldı - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Bu paket şu anda donmuş durumda. Etkinleştirmek için tıklayın. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Web sitenizi hızlandırmak için paketi dondurun. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Bu paket korumada ve devre dışı bırakılamaz. - Deactivate Package + Deactivate Package Paketi Devre Dışı Bırak - Activate Package + Activate Package Paketi Etkinleştir - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Bu paket korundu ve silinemiyor. - Delete Package + Delete Package Paketi Sil - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? "{0}" gerçekten silmek istiyor musunuz? - Yes, delete the package + Yes, delete the package Evet, paketi sil - Yes, delete the packages + Yes, delete the packages Evet, paketleri sil - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Seçilen paketleri gerçekten silmek istiyor musunuz? - Freeze selected packages + Freeze selected packages Seçilen paketleri dondur - Unfreeze selected packages + Unfreeze selected packages Seçili paketleri etkinleştir - Delete selected packages + Delete selected packages Seçilen paketleri sil - Deactivate selected packages + Deactivate selected packages Seçilen paketleri devre dışı bırak - Activate selected packages + Activate selected packages Seçilen paketleri etkinleştir - Sites Management + Sites Management Siteler Yönetimi - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Siteler Yönetimi modülü, tüm sitelere genel bir bakış sağlar. Siteleriniz hakkında yeni bir etki alanı ekleme gibi bilgileri düzenleyebilir, ekleyebilir ve silebilirsiniz. - Add new site + Add new site Yeni bir site ekle - Create site + Create site Site oluştur - Create a new site + Create a new site Yeni bir site oluştur - Root node name + Root node name Kök düğüm adı - Domains + Domains Alan adları - Site + Site Site - Name + Name Ad - Default asset collection + Default asset collection Varsayılan varlık koleksiyonu - Site package + Site package Site paketi - Delete this site + Delete this site Bu siteyi sil - Deactivate site + Deactivate site Siteyi devre dışı bırak - Activate site + Activate site Siteyi aktif hale getir - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Bu {0} gönderiyi gerçekten kaldırmak istiyor musun? Bu eylem geri alınamaz. - Yes, delete the site + Yes, delete the site Evet, siteyi sil - Import a site + Import a site Bir siteyi içe aktar - Select a site package + Select a site package Bir site paketi seçin - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. Mevcut site paketi yok. Aktif bir site paketiniz olduğundan emin olun. - Create a blank site + Create a blank site Boş bir site oluştur - Select a document nodeType + Select a document nodeType Bir döküman seçin - Select a site generator + Select a site generator Bir site oluşturucu seçin - Site name + Site name Site adı - Create empty site + Create empty site Boş bir site oluştur - Create a new site package + Create a new site package Yeni bir site paketi oluştur - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available Site yok - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. <em>Neos Kickstarter</em>paketi yüklenmedi, başlatmak için yeni siteleri yükleyin. - New site + New site Yeni site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Bu {0} gönderiyi gerçekten kaldırmak istiyor musun? Bu eylem geri alınamaz. - New domain + New domain Yeni alan adı - Edit domain + Edit domain Alan adını düzenle - Domain data + Domain data Domain datası - e.g. www.neos.io + e.g. www.neos.io örneğin www.neos.io - State + State Devlet - Create + Create Oluştur - Configuration + Configuration Yapılandırma - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Yapılandırma modülü, tüm yapılandırma türlerine genel bir bakış sağlar. - Dimensions + Dimensions Boyutlar - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Her içerik boyutu ve içerik boyutları arasında yapılandırılan geri dönüşleri üzerinde grafiksel bir genel bakış verir. - Inter dimensional fallback graph + Inter dimensional fallback graph Boyutlararası düşüş grafiği - Inter dimensional + Inter dimensional Boyutlararası - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. Boyutlararası geri dönüş grafiği, alt grafikler (düğüm olarak görüntülenen içerik boyutu değeri kombinasyonları) arasında olası tüm geri dönüşleri (kenar olarak görüntülenir) görüntüler. @@ -877,416 +875,416 @@ Birincil yedekler mavi olarak işaretlenir ve her zaman görünür olurken, daha Yalnızca geri dönüşünü ve değişkenlerini görmek için düğümlerden birini tıklayın. Filtreyi kaldırmak için tekrar tıklayın. - Intra dimensional fallback graph + Intra dimensional fallback graph Boyutlararası düşüş grafiği - Intra dimensional + Intra dimensional Boyutlararası - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. İç boyutsal geri dönüşüm grafiği her içerik boyutu içinde geri düşümü görüntüler. - User + User Kullanıcı - User Settings + User Settings Kullanıcı Ayarları - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Bu modül, arka uç kullanıcı profilinizi özelleştirmenize olanak tanır. Burada aktif sistem dilinizi, adınızı ve e-posta adresinizi değiştirebilirsiniz. Ayrıca sistemdeki diğer genel özellikleri de yapılandırabilirsiniz. - Edit + Edit Düzenle - Edit + Edit Düzenle - New electronic address + New electronic address Yeni elektronik adresi - Edit account + Edit account Hesabı düzenle - Personal Data + Personal Data Kişisel Verisi - User Data + User Data Kullanıcı Verisi - User Menu + User Menu Kullanıcı Menüsü - User Preferences + User Preferences Kullanıcı Tercihleri - Interface Language + Interface Language Arayüz Dili - Use system default + Use system default Sistem varsayılanı kullan - Accounts + Accounts Hesaplar - Username + Username Kullanıcı adı - Roles + Roles Roller - Authentication Provider + Authentication Provider Kimlik Doğrulama Sağlayıcısı - Electronic addresses + Electronic addresses Elektronik adresleri - Do you really want to delete + Do you really want to delete Gerçekten silmek istiyor musunuz - Yes, delete electronic address + Yes, delete electronic address Evet, elektronik adresini sil - Click to add a new Electronic address + Click to add a new Electronic address Yeni bir Elektronik adresi eklemek için tıklayın - Add electronic address + Add electronic address Elektronik adresi ekle - Save User + Save User Kullanıcıyı Kaydet - Edit User + Edit User Kullanıcıyı Düzenle - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Güncelle - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Kullanıcıyı Düzenle - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/uk/Modules.xlf b/Neos.Neos/Resources/Private/Translations/uk/Modules.xlf index b606aa8697c..56b1abc42a6 100644 --- a/Neos.Neos/Resources/Private/Translations/uk/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/uk/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Назад - Cancel + Cancel Відмінити - Management + Management Керування - Contains multiple modules related to management of content + Contains multiple modules related to management of content Містить кілька модулів, які пов'язані з управлінням вмістом - Workspaces + Workspaces Робочі області - Details for "{0}" + Details for "{0}" Деталі для "{0}" - Create new workspace + Create new workspace Створити нове робоче середовище - Create workspace + Create workspace Створити робоче середовище - Delete workspace + Delete workspace Видалити робоче середовище - Edit workspace + Edit workspace Редагувати робоче середовище - Yes, delete the workspace + Yes, delete the workspace Так, видалити робоче середовище - Edit workspace "{0}" + Edit workspace "{0}" Редагувати робоче середовище - Personal workspace + Personal workspace Особисте робоче середовище - Private workspace + Private workspace Приватне робоче середовище - Internal workspace + Internal workspace Внутрішнє робоче середовище - Read-only workspace + Read-only workspace Робоче середовище: тільки для читання - Title + Title Назва - Description + Description Опис - Base workspace + Base workspace Базове робоче середовище - Owner + Owner Власник - Visibility + Visibility Видимість - Private + Private Приватний - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Робоча область тільки для рецензентів і адміністраторів - Internal + Internal Внутрішній - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Будь-хто зареєстрований в редакторі може бачити та змінювати робоче середовище. - Changes + Changes Зміни - Open page in "{0}" workspace + Open page in "{0}" workspace Відкрити сторінку в робочому середовищі "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Це Ваше особисте робоче середовище яке неможливо видалити. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. Робоче середовище містить зміни. Спочатку відхиліть їх для видалення. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Робоче середовище не можна перебазувати на інше, бо воно досі містить зміни. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. Робоче середовище неможливо видалити, тому що інші середовища залежить від нього. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. У Вас немає прав для дозволу цього робочого середовища. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Ви дійсно хочете видалити робочу область "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. Робоче середовище, включаючи весь неопублікований вміст буде видалено. Цю операцію не можна скасувати. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. Цей модуль містить огляд всіх елементів в рамках поточної робочої області, і це дає можливість продовжити розгляд та видавничу діяльність. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Неопубліковані зміни в робочому середовищі "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} доповнення: {new}, зміни: {changed}, видалення: {removed} - Review + Review Огляд - Discard selected changes + Discard selected changes Скасувати вибрані зміни - - Publish selected changes - Опублікувати вибрані зміни - - Discard all changes + Discard all changes Скасувати всі зміни - Publish all changes + Publish all changes Опублікувати всі зміни - Publish all changes to {0} + Publish all changes to {0} Опублікувати всі зміни до {0} - Changed Content + Changed Content Змінений вміст - deleted + deleted видалено - created + created створено - moved + moved переміщено - hidden + hidden приховано - edited + edited відредаговано - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Немає ніяких неопублікованих змін у робочому середовищі. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Ви дійсно бажаєте скасувати всі зміни в робочій області "{0}"? @@ -266,612 +262,612 @@ Всі зміни з робочого середовища "{0}" були скасовані. - History + History Історія - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. Цей модуль забезпечує огляд всіх відповідних подій, маючих вплив до встановлення Neos. - Here's what happened recently in Neos + Here's what happened recently in Neos Останні події в Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. Відсутні записи подій, які можуть відображатися в історії. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} створити нового користувача "{1}" для {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} видалив обліковий запис "{1}" {2}. - Load More + Load More Завантажити ще - This node has been removed in the meantime + This node has been removed in the meantime Цей вузол буде видалено в той же час - Administration + Administration Адміністрування - Contains multiple modules related to administration + Contains multiple modules related to administration Містить кілька модулів, які пов'язані з адміністрацією - User Management + User Management Керування користувачами - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. Модуль керування користувача надає огляд всіх користувачів бекенда. Їх можна згрупувати за властивостями та контролювати їх дозволи. Цей модуль є незамінним інструментом для правильної настройки користувачів. - Overview + Overview Огляд - Show + Show Показати - New + New Новий - Edit + Edit Редагувати - Edit account + Edit account Редагувати обліковий запис - New electronic address + New electronic address Нова електронна адреса - Use system default + Use system default Налаштування за замовчуванням - Create user + Create user Створити користувача - Create a new user + Create a new user Створити нового користувача - User Data + User Data Дані Користувача - Username + Username Ім'я користувача - Password + Password Пароль - Repeat password + Repeat password Повторіть пароль - Role(s) + Role(s) Ролі - Authentication Provider + Authentication Provider Провайдер аутентифікації - Use system default + Use system default Налаштування за замовчуванням - Personal Data + Personal Data Персональні дані - First Name + First Name Ім'я - Last Name + Last Name Прізвище - User Preferences + User Preferences Налаштування користувача - Interface Language + Interface Language Мова інтерфейсу - Create user + Create user Створити користувача - Details for user + Details for user Реквізити для користувача - Personal Data + Personal Data Персональні дані - Title + Title Назва - First Name + First Name Ім'я - Middle Name + Middle Name По батькові - Last Name + Last Name Прізвище - Other Name + Other Name Інші назви - Accounts + Accounts Облікові записи - Username + Username Ім'я користувача - Roles + Roles Ролі - Electronic Addresses + Electronic Addresses Електронні адреси - Primary + Primary Первинний - N/A + N/A Н/д - Delete User + Delete User Видалити користувача - Edit User + Edit User Редагувати користувача - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Ви увійшли як користувач, і не можете видалити себе. - Click here to delete this user + Click here to delete this user Натисніть тут, щоб видалити користувача - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Ви дійсно хочете видалити користувача "{0}"? - Yes, delete the user + Yes, delete the user Так, видаліть користувача - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Користувач, пов'язані облікові записи і його особисті робочі середовища, з усіма неопублікованими записами буде видалено. - This operation cannot be undone + This operation cannot be undone Цю операцію неможливо відмінити - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Змінити обліковий запис "{accountIdentifier}" - Account + Account Обліковий запис - Username + Username Ім'я користувача - The username can't be changed via the user interface + The username can't be changed via the user interface Ім'я користувача не можна змінити за допомогою інтерфейсу користувача - Save account + Save account Зберегти профіль - Repeat password + Repeat password Повторіть пароль - Roles + Roles Ролі - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Ім'я - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Облікові записи та ролі - View user + View user Переглянути користувача - Edit user + Edit user Редагувати користувача - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Видалити користувача - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. Ви увійшли як користувач, і не можете видалити себе. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Ви дійсно хочете видалити користувача "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. Користувач, пов'язані облікові записи і його особисті робочі середовища, з усіма неопублікованими записами буде видалено. - Yes, delete the user + Yes, delete the user Так, видаліть користувача - Edit user "{0}" + Edit user "{0}" Редагувати користувача "{0}" - Home + Home Головна - Work + Work Робота - Package Management + Package Management Система керування пакунками - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. Модуль керування пакунками надає огляд всіх пакунків. Можна активувати та деактивувати окремі пакети, імпортувати нові пакети та видалювати існуючи пакунки. Вона також надає вам можливість заморозити і знову активувати пакунки у контексті розробки сайта. - Available packages + Available packages Доступні пакети - Package Name + Package Name Ім'я пакету - Package Key + Package Key Ключ пакету - Package Type + Package Type Тип пакету - Deactivated + Deactivated Деактивовано - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. Цей пакет зараз не діє. Натисніть щоб задіяти. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Зупинити дію пакету щоб підвищити швидкість вашого веб-сайту. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. Цей пакет захищений і не може бути вимкнений. - Deactivate Package + Deactivate Package Вимкнути пакет - Activate Package + Activate Package Увімкнути пакет - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. Цей пакет захищений і не може бути видалений. - Delete Package + Delete Package Видалити пакет - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Ви дійсно бажаєте видалити "{0}"? - Yes, delete the package + Yes, delete the package Так, видатити цей пакет - Yes, delete the packages + Yes, delete the packages Так, видатити ці пакети - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Ви дійсно бажаєте видалити вибрані пакети? - Freeze selected packages + Freeze selected packages Зупинити дію обраних пакетів - Unfreeze selected packages + Unfreeze selected packages Задіяти обрані пакети - Delete selected packages + Delete selected packages Видалити обрані пакети - Deactivate selected packages + Deactivate selected packages Вимкнути обрані пакети - Activate selected packages + Activate selected packages Увімкнути обрані пакети - Sites Management + Sites Management Керування сайтами - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. Модуль управління сайтів надає огляд всіх сайтів. Можна редагувати, додавати і видаляти інформацію про ваші сайти, такі як додавання нового домену. - Add new site + Add new site Add new site - Create site + Create site Створити сайт - Create a new site + Create a new site Створити новий сайт - Root node name + Root node name Root node name - Domains + Domains Домени - Site + Site Сайт - Name + Name Ім'я - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration конфігурація - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. Модуль Налаштування надає огляд всіх типів конфігурації. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -879,416 +875,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Користувач - User Settings + User Settings Налаштування користувача - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. Цей модуль дозволяє налаштувати ваш профіль користувача бекенда. Тут ви можете змінити вашу активну системну мову, ім'я та адресу електронної пошти, та інші загальні системні функції. - Edit + Edit Редагувати - Edit + Edit Редагувати - New electronic address + New electronic address Нова електронна адреса - Edit account + Edit account Редагувати обліковий запис - Personal Data + Personal Data Персональні дані - User Data + User Data Дані Користувача - User Menu + User Menu Меню Користувача - User Preferences + User Preferences Налаштування користувача - Interface Language + Interface Language Мова інтерфейсу - Use system default + Use system default Налаштування за замовчуванням - Accounts + Accounts Облікові записи - Username + Username Ім'я користувача - Roles + Roles Ролі - Authentication Provider + Authentication Provider Провайдер аутентифікації - Electronic addresses + Electronic addresses Електронні адреси - Do you really want to delete + Do you really want to delete Do you really want to delete - Yes, delete electronic address + Yes, delete electronic address Так, видалити електронні адреси - Click to add a new Electronic address + Click to add a new Electronic address Клацніть, щоб додати нову електронну адресу - Add electronic address + Add electronic address Додати електронну адресу - Save User + Save User Зберегти користувача - Edit User + Edit User Редагувати користувача - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Оновлення - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Редагувати користувача - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/vi/Modules.xlf b/Neos.Neos/Resources/Private/Translations/vi/Modules.xlf index e4f59ecff68..d6234999365 100644 --- a/Neos.Neos/Resources/Private/Translations/vi/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/vi/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back Quay lại - Cancel + Cancel Hủy bỏ - Management + Management Quản lý - Contains multiple modules related to management of content + Contains multiple modules related to management of content Contains multiple modules related to management of content - Workspaces + Workspaces Không gian làm việc - Details for "{0}" + Details for "{0}" Thông tin cho "{0}" - Create new workspace + Create new workspace Tạo một không gian làm việc mới - Create workspace + Create workspace Tạo không gian làm việc - Delete workspace + Delete workspace Xóa không gian làm việc - Edit workspace + Edit workspace Chỉnh sửa không gian làm việc - Yes, delete the workspace + Yes, delete the workspace Vâng, xóa không gian làm việc này - Edit workspace "{0}" + Edit workspace "{0}" Chỉnh sửa không gian làm việc - Personal workspace + Personal workspace Không gian làm việc cá nhân - Private workspace + Private workspace Không gian làm việc riêng - Internal workspace + Internal workspace Internal workspace - Read-only workspace + Read-only workspace Read-only workspace - Title + Title Tiêu đề - Description + Description Mô tả - Base workspace + Base workspace Base workspace - Owner + Owner Owner - Visibility + Visibility Khả năng hiển thị - Private + Private Riêng - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace Chỉ có người đánh giá và quản trị viên có thể truy cập và chỉnh sửa không gian làm việc này - Internal + Internal Nội bộ - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Any logged in editor can see and modify this workspace. - Changes + Changes Thay đổi - Open page in "{0}" workspace + Open page in "{0}" workspace Mở trang trong không gian làm việc "{0}" - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. Đây là không gian làm việc cá nhân mà bạn không thể xóa. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. The workspace contains changes. To delete, discard the changes first. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. The workspace cannot be deleted because other workspaces depend on it. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. You don't have the permissions for deleting this workspace. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Do you really want to delete the workspace "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. This will delete the workspace including all unpublished content. This operation cannot be undone. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unpublished changes in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} additions: {new}, changes: {changed}, removals: {removed} - Review + Review Đánh giá - Discard selected changes + Discard selected changes Bỏ các thay đổi đã lựa chọn - - Publish selected changes - Công khai các thay đổi đã lựa chọn - - Discard all changes + Discard all changes Loại bỏ tất cả thay đổi - Publish all changes + Publish all changes Công khai tất cả thay đổi - Publish all changes to {0} + Publish all changes to {0} Công khai tất cả thay đổi đến {0} - Changed Content + Changed Content Nội dung đã thay đổi - deleted + deleted đã xóa bỏ - created + created đã tạo - moved + moved đã di chuyển - hidden + hidden ẩn - edited + edited Đã chỉnh sửa - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. Không có những thay đổi không được công khai trong không gian làm việc này - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Bạn có thực sự muốn hủy bỏ tất cả những thay đổi trong không gian làm việc "{0}" @@ -262,612 +258,612 @@ Tất cả thay đổi từ không gian làm việc "{0}" đã bị hủy bỏ. - History + History Lịch sử - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. This module provides an overview of all relevant events affecting this Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Here's what happened recently in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. There have not been recorded any events yet which could be displayed in this history. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} created a new user "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} deleted the account "{1}" of {2}. - Load More + Load More Hiển thị Thêm - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Quản trị - Contains multiple modules related to administration + Contains multiple modules related to administration Có nhiều mô-đun liên quan đến quản trị - User Management + User Management Quản lý người dùng - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. mô-đun quản lý người dùng cung cấp cho bạn một tổng quan về tất cả các người dùng phụ trợ. Bạn có thể nhóm chúng bằng tài sản của họ, do đó, bạn có thể theo dõi các quyền của mình, filemounts, thành viên nhóm v.v... Mô-đun này là một công cụ không thể thiếu để đảm bảo rằng những người sử dụng được cấu hình đúng. - Overview + Overview Tổng quan - Show + Show Hiển thị - New + New Mới - Edit + Edit Chỉnh sửa - Edit account + Edit account Chỉnh sửa tài khoản - New electronic address + New electronic address Địa chỉ điện tử mới - Use system default + Use system default Sử dụng hệ thống mặc định - Create user + Create user Tạo người dùng - Create a new user + Create a new user Tạo người dùng mới - User Data + User Data Dữ liệu người dùng - Username + Username Tên truy cập - Password + Password Mật khẩu - Repeat password + Repeat password Repeat password - Role(s) + Role(s) Role(s) - Authentication Provider + Authentication Provider Authentication Provider - Use system default + Use system default Sử dụng hệ thống mặc định - Personal Data + Personal Data Dữ liệu cá nhân - First Name + First Name Họ - Last Name + Last Name Tên - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Create user + Create user Tạo người dùng - Details for user + Details for user Thông tin chi tiết cho người dùng - Personal Data + Personal Data Dữ liệu cá nhân - Title + Title Tiêu đề - First Name + First Name Họ - Middle Name + Middle Name Họ đệm - Last Name + Last Name Tên - Other Name + Other Name Tên khác - Accounts + Accounts Tài khoản - Username + Username Tên truy cập - Roles + Roles Roles - Electronic Addresses + Electronic Addresses Địa chỉ điện tử - Primary + Primary Khóa chính - N/A + N/A N/A - Delete User + Delete User Xóa người dùng - Edit User + Edit User Chỉnh sửa người dùng - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Click here to delete this user + Click here to delete this user Click here to delete this user - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - Yes, delete the user + Yes, delete the user Yes, delete the user - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This operation cannot be undone + This operation cannot be undone This operation cannot be undone - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edit account "{accountIdentifier}" - Account + Account Account - Username + Username Tên truy cập - The username can't be changed via the user interface + The username can't be changed via the user interface The username can't be changed via the user interface - Save account + Save account Save account - Repeat password + Repeat password Repeat password - Roles + Roles Roles - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name Tên - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles Accounts and Roles - View user + View user View user - Edit user + Edit user Edit user - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Delete user - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - Yes, delete the user + Yes, delete the user Yes, delete the user - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work Work - Package Management + Package Management Package Management - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Sites Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site Add new site - Create site + Create site Tạo site - Create a new site + Create a new site Tạo site mới - Root node name + Root node name Root node name - Domains + Domains Domains - Site + Site Site - Name + Name Tên - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site Yes, delete the site - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration Cấu hình - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions Kích thước - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -875,416 +871,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User Người dùng - User Settings + User Settings Cài đặt người dùng - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit Chỉnh sửa - Edit + Edit Chỉnh sửa - New electronic address + New electronic address Địa chỉ điện tử mới - Edit account + Edit account Chỉnh sửa tài khoản - Personal Data + Personal Data Dữ liệu cá nhân - User Data + User Data Dữ liệu người dùng - User Menu + User Menu Menu người dùng - User Preferences + User Preferences User Preferences - Interface Language + Interface Language Interface Language - Use system default + Use system default Sử dụng hệ thống mặc định - Accounts + Accounts Tài khoản - Username + Username Tên truy cập - Roles + Roles Roles - Authentication Provider + Authentication Provider Authentication Provider - Electronic addresses + Electronic addresses Electronic addresses - Do you really want to delete + Do you really want to delete Do you really want to delete - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User Lưu người dùng - Edit User + Edit User Chỉnh sửa người dùng - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update Cập Nhật - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User Chỉnh sửa người dùng - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/zh/Modules.xlf b/Neos.Neos/Resources/Private/Translations/zh/Modules.xlf index eccd751171f..fdb18dae8ea 100644 --- a/Neos.Neos/Resources/Private/Translations/zh/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/zh/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back 返回 - Cancel + Cancel 取消 - Management + Management 管理 - Contains multiple modules related to management of content + Contains multiple modules related to management of content 包含多个与管理内容有关的模块 - Workspaces + Workspaces 工作区 - Details for "{0}" + Details for "{0}" "{0}" 的详细信息 - Create new workspace + Create new workspace 创建新工作区 - Create workspace + Create workspace 创建工作区 - Delete workspace + Delete workspace 删除工作区 - Edit workspace + Edit workspace 编辑工作区 - Yes, delete the workspace + Yes, delete the workspace 是,删除工作区 - Edit workspace "{0}" + Edit workspace "{0}" 编辑工作区 - Personal workspace + Personal workspace 个人工作区 - Private workspace + Private workspace 私有工作区 - Internal workspace + Internal workspace 内部工作区 - Read-only workspace + Read-only workspace 只读的工作区 - Title + Title 标题 - Description + Description 说明 - Base workspace + Base workspace Base workspace - Owner + Owner 所有者 - Visibility + Visibility 可见性 - Private + Private Private - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace 只有审阅者和管理员可以访问和修改此工作区 - Internal + Internal Internal - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. Any logged in editor can see and modify this workspace. - Changes + Changes 变更 - Open page in "{0}" workspace + Open page in "{0}" workspace 在 "{0}" 工作区中打开页 - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. 这是你个人的工作区,不能删除。 - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. 工作区中包含更改。若要删除,请先放弃更改。 - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. 不能删除工作区,因为其他工作区依赖于它。 - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. 您没有删除此工作区的权限。 - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? 你真的想要删除工作区 "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. 此操作将删除工作区,包括所有未发布的内容。此操作无法撤消。 - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. 此模块包含当前工作区所有元素的概述性描述、你也可以使用该模块继续审阅当前工作区的所有元素和实施发布流程中设定的步骤 - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" 未发布的更改 - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} 补充︰ {new},变化︰ {changed},移除︰ {removed} - Review + Review 审查 - Discard selected changes + Discard selected changes 放弃所选的更改 - - Publish selected changes - 发布选择的更改 - - Discard all changes + Discard all changes 舍弃所有更改 - Publish all changes + Publish all changes 发布所有更改 - Publish all changes to {0} + Publish all changes to {0} 发布所有更改到 {0} - Changed Content + Changed Content 已更改的内容 - deleted + deleted 已删除 - created + created 已创建 - moved + moved 已移动 - hidden + hidden 隐藏 - edited + edited 编辑 - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. 此工作区中没有未发布的更改。 - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? 你真的想要放弃"{0}"工作区中的所有更改? @@ -262,612 +258,612 @@ 工作区 "{0}" 中的所有更改已丢弃。 - History + History 历史 - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. 该模块概述了影响此Neos安装的所有相关事件。 - Here's what happened recently in Neos + Here's what happened recently in Neos 最近发生的事件/操作: - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. 没有可以显示的记录。 - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} 创建了 {1} {2}。 - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} 删除了 {1} {2}。 - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} 创建了 {2} 的变体 {1} "{3}"。 - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} 修改了 {1} "{2}"。 - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} 移动了 {1} {2}。 - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} 复制了 {1} "{2}"。 - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} 将 {1} "{2}" 重命名为 "{3}"。 - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} 修改了 {1} "{2}" 上的内容。 - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} 为 {2} 创建一个新用户"{1}"。 - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} 删除了 {2} 的帐户"{1}"。 - Load More + Load More 载入更多 - This node has been removed in the meantime + This node has been removed in the meantime 在此期间此节点已删除 - Administration + Administration 管理界面 - Contains multiple modules related to administration + Contains multiple modules related to administration 包含多个与管理有关的模块 - User Management + User Management 用户管理 - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. 用户管理模块为您提供了所有的后端用户的概览。所以你能够查看他们的权限,文件加载点,你可以通过它们的属性分组成员组等...... 本模块确保用户被正确配置,是不可或缺的工具。 - Overview + Overview 概览 - Show + Show 显示 - New + New 新建 - Edit + Edit 编辑 - Edit account + Edit account 编辑账户 - New electronic address + New electronic address 新的电子地址 - Use system default + Use system default 使用系统默认值 - Create user + Create user 创建用户 - Create a new user + Create a new user 创建新用户 - User Data + User Data 用户数据 - Username + Username 用户名 - Password + Password 密码 - Repeat password + Repeat password 密码确认 - Role(s) + Role(s) 角色 - Authentication Provider + Authentication Provider 身份验证提供程序 - Use system default + Use system default 使用系统默认值 - Personal Data + Personal Data 个人资料 - First Name + First Name 名字 - Last Name + Last Name 姓氏 - User Preferences + User Preferences 用户首选项 - Interface Language + Interface Language 界面语言 - Create user + Create user 创建用户 - Details for user + Details for user 用户的详细信息 - Personal Data + Personal Data 个人资料 - Title + Title 标题 - First Name + First Name 名字 - Middle Name + Middle Name 中间名 - Last Name + Last Name 姓氏 - Other Name + Other Name 其他名字 - Accounts + Accounts 帐户 - Username + Username 用户名 - Roles + Roles 角色 - Electronic Addresses + Electronic Addresses 电子地址 - Primary + Primary 主要 - N/A + N/A N/A - Delete User + Delete User 删除用户 - Edit User + Edit User 编辑用户 - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. 作为此用户登录,您不能删除自己。 - Click here to delete this user + Click here to delete this user 单击此处可删除此用户 - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? 你真的想要删除的用户"{0}"? - Yes, delete the user + Yes, delete the user 是的,删除用户 - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. 这将删除用户、 相关的帐户和他个人的工作区,包括所有未发布的内容。 - This operation cannot be undone + This operation cannot be undone 该操作无法撤消。 - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" 编辑帐户"{accountIdentifier}" - Account + Account 帐户 - Username + Username 用户名 - The username can't be changed via the user interface + The username can't be changed via the user interface 用户名不能通过用户界面更改 - Save account + Save account 保存账户 - Repeat password + Repeat password 密码确认 - Roles + Roles 角色 - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name 姓名 - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles 帐户和角色 - View user + View user View user - Edit user + Edit user Edit user - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user Delete user - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. 作为此用户登录,您不能删除自己。 - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? 你真的想要删除的用户"{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. 这将删除用户、 相关的帐户和他个人的工作区,包括所有未发布的内容。 - Yes, delete the user + Yes, delete the user 是的,删除用户 - Edit user "{0}" + Edit user "{0}" Edit user "{0}" - Home + Home Home - Work + Work 工作 - Package Management + Package Management 包管理 - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. 软件包管理模块为您提供了所有软件包的概览。您可以激活和停用单个包、 导入新的软件包并删除现有的包。在开发中,它还为您提供的冻结和解冻包的能力。 - Available packages + Available packages Available packages - Package Name + Package Name Package Name - Package Key + Package Key Package Key - Package Type + Package Type Package Type - Deactivated + Deactivated Deactivated - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management 网站管理 - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. 站点管理模块为您提供了所有站点的概览。你可以编辑、 添加和删除信息关于您的站点,如添加新的域。 - Add new site + Add new site 添加新站点 - Create site + Create site 创建站点 - Create a new site + Create a new site 创建一个新的网站 - Root node name + Root node name Root node name - Domains + Domains 领域 - Site + Site 站点 - Name + Name 姓名 - Default asset collection + Default asset collection Default asset collection - Site package + Site package Site package - Delete this site + Delete this site Delete this site - Deactivate site + Deactivate site Deactivate site - Activate site + Activate site Activate site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - Yes, delete the site + Yes, delete the site 是,删除站点 - Import a site + Import a site Import a site - Select a site package + Select a site package Select a site package - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. No site packages are available. Make sure you have an active site package. - Create a blank site + Create a blank site Create a blank site - Select a document nodeType + Select a document nodeType Select a document nodeType - Select a site generator + Select a site generator Select a site generator - Site name + Site name Site name - Create empty site + Create empty site Create empty site - Create a new site package + Create a new site package Create a new site package - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available 无可用站点 - The Neos Kickstarter package is not installed, install it to kickstart new sites. + The Neos Kickstarter package is not installed, install it to kickstart new sites. The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. - New site + New site 新站点 - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. Do you really want to delete "{0}"? This action cannot be undone. - New domain + New domain New domain - Edit domain + Edit domain Edit domain - Domain data + Domain data 域名数据 - e.g. www.neos.io + e.g. www.neos.io 例如:www.neos.io - State + State State - Create + Create 创建 - Configuration + Configuration 配置 - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. 配置模块为您提供了所有配置类型的概览。 - Dimensions + Dimensions 大小 - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -875,416 +871,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User 用户 - User Settings + User Settings 用户设置 - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. 这个模块允许您自定义您的后端用户配置文件。在这里你可以更改你主动系统语言、 名称和电子邮件地址。您也可以在系统中配置其他常规功能。 - Edit + Edit 编辑 - Edit + Edit 编辑 - New electronic address + New electronic address 新的电子地址 - Edit account + Edit account 编辑账户 - Personal Data + Personal Data 个人资料 - User Data + User Data 用户数据 - User Menu + User Menu User Menu - User Preferences + User Preferences 用户首选项 - Interface Language + Interface Language 界面语言 - Use system default + Use system default 使用系统默认值 - Accounts + Accounts 帐户 - Username + Username 用户名 - Roles + Roles 角色 - Authentication Provider + Authentication Provider 身份验证提供程序 - Electronic addresses + Electronic addresses 电子地址 - Do you really want to delete + Do you really want to delete 你真的想要删除吗 - Yes, delete electronic address + Yes, delete electronic address 是的删除电子地址 - Click to add a new Electronic address + Click to add a new Electronic address 单击此处可添加新的电子地址 - Add electronic address + Add electronic address 添加电子地址 - Save User + Save User 保存用户 - Edit User + Edit User 编辑用户 - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update 更新 - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User 编辑用户 - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". diff --git a/Neos.Neos/Resources/Private/Translations/zh_TW/Modules.xlf b/Neos.Neos/Resources/Private/Translations/zh_TW/Modules.xlf index 4a7ec9072e2..aef97a3d68f 100644 --- a/Neos.Neos/Resources/Private/Translations/zh_TW/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/zh_TW/Modules.xlf @@ -3,208 +3,204 @@ - Back + Back 返回 - Cancel + Cancel 取消 - Management + Management 管理 - Contains multiple modules related to management of content + Contains multiple modules related to management of content 包含多個模組相關的管理內容 - Workspaces + Workspaces 工作區 - Details for "{0}" + Details for "{0}" 「{0}」的細節 - Create new workspace + Create new workspace 建立新工作區 - Create workspace + Create workspace 建立工作區 - Delete workspace + Delete workspace 刪除工作區 - Edit workspace + Edit workspace 編輯工作區 - Yes, delete the workspace + Yes, delete the workspace 好的,刪除此工作區 - Edit workspace "{0}" + Edit workspace "{0}" 編輯工作區 - Personal workspace + Personal workspace 個人工作區 - Private workspace + Private workspace 私人工作區 - Internal workspace + Internal workspace 內部工作區 - Read-only workspace + Read-only workspace 唯讀工作區 - Title + Title 標題 - Description + Description 描述 - Base workspace + Base workspace 基本工作區 - Owner + Owner 擁有者 - Visibility + Visibility 能見度 - Private + Private 私人的 - Only reviewers and administrators can access and modify this workspace + Only reviewers and administrators can access and modify this workspace 只有審查者和管理員可以連結和修改此工作區 - Internal + Internal 內部的 - Any logged in editor can see and modify this workspace. + Any logged in editor can see and modify this workspace. 任何登入的編輯皆可檢視和修改此工作區。 - Changes + Changes 變更 - Open page in "{0}" workspace + Open page in "{0}" workspace 開啟頁面在「{0}」工作區 - This is your personal workspace which you can't delete. + This is your personal workspace which you can't delete. This is your personal workspace which you can't delete. - The workspace contains changes. To delete, discard the changes first. + The workspace contains changes. To delete, discard the changes first. The workspace contains changes. To delete, discard the changes first. - Workspace can't be rebased on a different workspace because it still contains changes. + Workspace can't be rebased on a different workspace because it still contains changes. Workspace can't be rebased on a different workspace because it still contains changes. - The workspace cannot be deleted because other workspaces depend on it. + The workspace cannot be deleted because other workspaces depend on it. The workspace cannot be deleted because other workspaces depend on it. - You don't have the permissions for deleting this workspace. + You don't have the permissions for deleting this workspace. You don't have the permissions for deleting this workspace. - Do you really want to delete the workspace "{0}"? + Do you really want to delete the workspace "{0}"? Do you really want to delete the workspace "{0}"? - This will delete the workspace including all unpublished content. This operation cannot be undone. + This will delete the workspace including all unpublished content. This operation cannot be undone. This will delete the workspace including all unpublished content. This operation cannot be undone. - This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. + This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. This module contains the overview of all elements within the current workspace and it enables to continue the review and publishing workflow for them. - Unpublished changes in workspace "{0}" + Unpublished changes in workspace "{0}" Unpublished changes in workspace "{0}" - additions: {new}, changes: {changed}, removals: {removed} + additions: {new}, changes: {changed}, removals: {removed} additions: {new}, changes: {changed}, removals: {removed} - Review + Review 審查 - Discard selected changes + Discard selected changes 放棄選取的變更 - - Publish selected changes - 發布選取的變更 - - Discard all changes + Discard all changes 捨棄全部變更 - Publish all changes + Publish all changes 發布全部變更 - Publish all changes to {0} + Publish all changes to {0} 發布全部變更至 {0} - Changed Content + Changed Content 變更的內容 - deleted + deleted 已刪除 - created + created 已建立 - moved + moved 已移動 - hidden + hidden 隱藏 - edited + edited 已編輯 - There are no unpublished changes in this workspace. + There are no unpublished changes in this workspace. There are no unpublished changes in this workspace. - Do you really want to discard all changes in the "{0}" workspace? + Do you really want to discard all changes in the "{0}" workspace? Do you really want to discard all changes in the "{0}" workspace? @@ -262,612 +258,612 @@ All changes from workspace "{0}" have been discarded. - History + History History - This module provides an overview of all relevant events affecting this Neos installation. + This module provides an overview of all relevant events affecting this Neos installation. This module provides an overview of all relevant events affecting this Neos installation. - Here's what happened recently in Neos + Here's what happened recently in Neos Here's what happened recently in Neos - There have not been recorded any events yet which could be displayed in this history. + There have not been recorded any events yet which could be displayed in this history. There have not been recorded any events yet which could be displayed in this history. - {0} created the {1} "{2}". + {0} created the {1} "{2}". {0} created the {1} "{2}". - {0} removed the {1} "{2}". + {0} removed the {1} "{2}". {0} removed the {1} "{2}". - {0} created the variant {1} of the {2} "{3}". + {0} created the variant {1} of the {2} "{3}". {0} created the variant {1} of the {2} "{3}". - {0} modified the {1} "{2}". + {0} modified the {1} "{2}". {0} modified the {1} "{2}". - {0} moved the {1} "{2}". + {0} moved the {1} "{2}". {0} moved the {1} "{2}". - {0} copied the {1} "{2}". + {0} copied the {1} "{2}". {0} copied the {1} "{2}". - {0} renamed the {1} "{2}" to "{3}". + {0} renamed the {1} "{2}" to "{3}". {0} renamed the {1} "{2}" to "{3}". - {0} modified content on the {1} "{2}". + {0} modified content on the {1} "{2}". {0} modified content on the {1} "{2}". - {0} created a new user "{1}" for {2}. + {0} created a new user "{1}" for {2}. {0} created a new user "{1}" for {2}. - {0} deleted the account "{1}" of {2}. + {0} deleted the account "{1}" of {2}. {0} deleted the account "{1}" of {2}. - Load More + Load More Load More - This node has been removed in the meantime + This node has been removed in the meantime This node has been removed in the meantime - Administration + Administration Administration - Contains multiple modules related to administration + Contains multiple modules related to administration Contains multiple modules related to administration - User Management + User Management User Management - The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. + The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. The User Management module provides you with an overview of all backend users. You can group them by their properties so you are able to monitor their permissions, filemounts, member groups etc.. This module is an indispensable tool in order to make sure the users are correctly configured. - Overview + Overview 概要 - Show + Show 顯示 - New + New 新增 - Edit + Edit 編輯 - Edit account + Edit account 編輯帳戶 - New electronic address + New electronic address 新電子郵件 - Use system default + Use system default 使用系統預設值 - Create user + Create user 建立使用者 - Create a new user + Create a new user 建立新使用者 - User Data + User Data 使用者資料 - Username + Username 使用者名稱 - Password + Password 密碼 - Repeat password + Repeat password 重複密碼 - Role(s) + Role(s) 角色 - Authentication Provider + Authentication Provider 驗證提供者 - Use system default + Use system default 使用系統預設值 - Personal Data + Personal Data 個人資料 - First Name + First Name 名字 - Last Name + Last Name 姓氏 - User Preferences + User Preferences 使用者偏好設定 - Interface Language + Interface Language 介面語系 - Create user + Create user 建立使用者 - Details for user + Details for user 使用者詳細資料 - Personal Data + Personal Data 個人資料 - Title + Title 標題 - First Name + First Name 名字 - Middle Name + Middle Name 中間名 - Last Name + Last Name 姓氏 - Other Name + Other Name 其他名稱 - Accounts + Accounts 帳戶 - Username + Username 使用者名稱 - Roles + Roles 角色 - Electronic Addresses + Electronic Addresses 電子郵件 - Primary + Primary 主要的 - N/A + N/A - Delete User + Delete User 刪除使用者 - Edit User + Edit User 編輯使用者 - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Click here to delete this user + Click here to delete this user Click here to delete this user - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - Yes, delete the user + Yes, delete the user 是的,刪除使用者 - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - This operation cannot be undone + This operation cannot be undone This operation cannot be undone - Edit account "{accountIdentifier}" + Edit account "{accountIdentifier}" Edit account "{accountIdentifier}" - Account + Account 帳戶 - Username + Username 使用者名稱 - The username can't be changed via the user interface + The username can't be changed via the user interface The username can't be changed via the user interface - Save account + Save account 儲存帳戶 - Repeat password + Repeat password 重複密碼 - Roles + Roles 角色 - Directly assigned privilege + Directly assigned privilege Directly assigned privilege - Name + Name 名稱 - From Parent Role "{role}" + From Parent Role "{role}" From Parent Role "{role}" - Accounts and Roles + Accounts and Roles 帳戶與角色 - View user + View user 檢視使用者 - Edit user + Edit user 編輯使用者 - Not enough privileges to edit this user + Not enough privileges to edit this user Not enough privileges to edit this user - Not enough privileges to delete this user + Not enough privileges to delete this user Not enough privileges to delete this user - Delete user + Delete user 刪除使用者 - You are logged in as this user and you cannot delete yourself. + You are logged in as this user and you cannot delete yourself. You are logged in as this user and you cannot delete yourself. - Do you really want to delete the user "{0}"? + Do you really want to delete the user "{0}"? Do you really want to delete the user "{0}"? - This will delete the user, the related accounts and his personal workspace, including all unpublished content. + This will delete the user, the related accounts and his personal workspace, including all unpublished content. This will delete the user, the related accounts and his personal workspace, including all unpublished content. - Yes, delete the user + Yes, delete the user 是的,刪除使用者 - Edit user "{0}" + Edit user "{0}" 編輯使用者「{0}」 - Home + Home 首頁 - Work + Work 工作 - Package Management + Package Management 套件管理 - The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. + The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. The Package Management module provides you with an overview of all packages. You can activate and deactivate individual packages, import new packages and delete existing packages. It also provides you with the ability to freeze and unfreeze packages in development context. - Available packages + Available packages 可用套件 - Package Name + Package Name 套件名稱 - Package Key + Package Key 套件金鑰 - Package Type + Package Type 套件類型 - Deactivated + Deactivated 已停用 - This package is currently frozen. Click to unfreeze it. + This package is currently frozen. Click to unfreeze it. This package is currently frozen. Click to unfreeze it. - Freeze the package in order to speed up your website. + Freeze the package in order to speed up your website. Freeze the package in order to speed up your website. - This package is protected and cannot be deactivated. + This package is protected and cannot be deactivated. This package is protected and cannot be deactivated. - Deactivate Package + Deactivate Package Deactivate Package - Activate Package + Activate Package Activate Package - This package is protected and cannot be deleted. + This package is protected and cannot be deleted. This package is protected and cannot be deleted. - Delete Package + Delete Package Delete Package - Do you really want to delete "{0}"? + Do you really want to delete "{0}"? Do you really want to delete "{0}"? - Yes, delete the package + Yes, delete the package Yes, delete the package - Yes, delete the packages + Yes, delete the packages Yes, delete the packages - Do you really want to delete the selected packages? + Do you really want to delete the selected packages? Do you really want to delete the selected packages? - Freeze selected packages + Freeze selected packages Freeze selected packages - Unfreeze selected packages + Unfreeze selected packages Unfreeze selected packages - Delete selected packages + Delete selected packages Delete selected packages - Deactivate selected packages + Deactivate selected packages Deactivate selected packages - Activate selected packages + Activate selected packages Activate selected packages - Sites Management + Sites Management Sites Management - The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. + The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. The Sites Management module provides you with an overview of all sites. You can edit, add and delete information about your sites, such as adding a new domain. - Add new site + Add new site 新增網站 - Create site + Create site 建立網站 - Create a new site + Create a new site 建立新網站 - Root node name + Root node name 根節點名稱 - Domains + Domains 網域名稱 - Site + Site 網站 - Name + Name 名稱 - Default asset collection + Default asset collection 預設素材集 - Site package + Site package 網站套件 - Delete this site + Delete this site 刪除此網站 - Deactivate site + Deactivate site 停用網站 - Activate site + Activate site 啟動網站 - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. 你確定要刪除「{0}」嗎?這個動作無法被復原。 - Yes, delete the site + Yes, delete the site 是的,刪除此網站 - Import a site + Import a site 匯入網站 - Select a site package + Select a site package 選擇網站套件 - No site packages are available. Make sure you have an active site package. + No site packages are available. Make sure you have an active site package. 沒有可用的網站套件,請確認已經啟動網站套件。 - Create a blank site + Create a blank site 建立空白網站 - Select a document nodeType + Select a document nodeType 選擇文件節點類型 - Select a site generator + Select a site generator Select a site generator - Site name + Site name 網站名稱 - Create empty site + Create empty site 建立空的網站 - Create a new site package + Create a new site package 建立新網站套件 - VendorName.MyPackageKey + VendorName.MyPackageKey VendorName.MyPackageKey - No sites available + No sites available No sites available - The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. + The <em>Neos Kickstarter</em> package is not installed, install it to kickstart new sites. 未安裝<em>Neos Kickstarter</em>套件,立即安裝開始一個新的網站。 - New site + New site New site - Do you really want to delete "{0}"? This action cannot be undone. + Do you really want to delete "{0}"? This action cannot be undone. 你確定要刪除「{0}」嗎?這個動作無法被復原。 - New domain + New domain 新網域名稱 - Edit domain + Edit domain 編輯網域名稱 - Domain data + Domain data Domain data - e.g. www.neos.io + e.g. www.neos.io e.g. www.neos.io - State + State State - Create + Create Create - Configuration + Configuration 設定 - The Configuration module provides you with an overview of all configuration types. + The Configuration module provides you with an overview of all configuration types. The Configuration module provides you with an overview of all configuration types. - Dimensions + Dimensions Dimensions - Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. + Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. Grants a graphical overview over the configured fallbacks within each content dimension and across content dimensions. - Inter dimensional fallback graph + Inter dimensional fallback graph Inter dimensional fallback graph - Inter dimensional + Inter dimensional Inter dimensional - The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). + The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). Primary fallbacks are marked blue and always visible, while lower priority fallbacks are shown on mouseover. The higher the priority the higher the opacity. Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. The inter dimensional fallback graph displays all possible fallbacks (displayed as edges) between subgraphs (content dimension value combinations, displayed as nodes). @@ -875,416 +871,416 @@ Primary fallbacks are marked blue and always visible, while lower priority fallb Click on one of the nodes to only see its fallbacks and variants. Click again to remove the filter. - Intra dimensional fallback graph + Intra dimensional fallback graph Intra dimensional fallback graph - Intra dimensional + Intra dimensional Intra dimensional - The intra dimensional fallback graph displays fallbacks within each content dimension. + The intra dimensional fallback graph displays fallbacks within each content dimension. The intra dimensional fallback graph displays fallbacks within each content dimension. - User + User 使用者 - User Settings + User Settings 使用者設定 - This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. + This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. This module allows you to customize your backend user profile. Here you can change your active system language, name and email address. You may also configure other general features in the system. - Edit + Edit 編輯 - Edit + Edit 編輯 - New electronic address + New electronic address 新電子郵件 - Edit account + Edit account 編輯帳戶 - Personal Data + Personal Data 個人資料 - User Data + User Data 使用者資料 - User Menu + User Menu 使用者選單 - User Preferences + User Preferences 使用者偏好設定 - Interface Language + Interface Language 介面語系 - Use system default + Use system default 使用系統預設值 - Accounts + Accounts 帳戶 - Username + Username 使用者名稱 - Roles + Roles 角色 - Authentication Provider + Authentication Provider 驗證提供者 - Electronic addresses + Electronic addresses 電子郵件 - Do you really want to delete + Do you really want to delete 您確定想要刪除 - Yes, delete electronic address + Yes, delete electronic address Yes, delete electronic address - Click to add a new Electronic address + Click to add a new Electronic address Click to add a new Electronic address - Add electronic address + Add electronic address Add electronic address - Save User + Save User 儲存使用者 - Edit User + Edit User 編輯使用者 - An error occurred during validation of the configuration. + An error occurred during validation of the configuration. An error occurred during validation of the configuration. - Configuration type not found. + Configuration type not found. Configuration type not found. - Site package not found + Site package not found Site package not found - The site package with key "{0}" was not found. + The site package with key "{0}" was not found. The site package with key "{0}" was not found. - Update + Update 更新 - The site "{0}" has been updated. + The site "{0}" has been updated. The site "{0}" has been updated. - Missing Package + Missing Package Missing Package - The package "{0}" is required to create new site packages. + The package "{0}" is required to create new site packages. The package "{0}" is required to create new site packages. - Invalid package key + Invalid package key Invalid package key - Site Packages {0} was created. + Site Packages {0} was created. Site Packages {0} was created. - The package key "{0}" already exists. + The package key "{0}" already exists. The package key "{0}" already exists. - The site has been imported. + The site has been imported. The site has been imported. - Import error + Import error Import error - Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} + Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} Error: During the import of the "Sites.xml" from the package "{0}" an exception occurred: {1} - Site creation error + Site creation error Site creation error - Error: A site with siteNodeName "{0}" already exists + Error: A site with siteNodeName "{0}" already exists Error: A site with siteNodeName "{0}" already exists - Site creation error + Site creation error Site creation error - Error: The given node type "{0}" was not found + Error: The given node type "{0}" was not found Error: The given node type "{0}" was not found - Site creation error + Site creation error Site creation error - Error: The given node type "%s" is not based on the superType "{0}" + Error: The given node type "%s" is not based on the superType "{0}" Error: The given node type "%s" is not based on the superType "{0}" - Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" + Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" Successfully created site "{0}" with siteNode "{1}", type "{2}" and packageKey "{3}" - Site deleted + Site deleted Site deleted - The site "{0}" has been deleted. + The site "{0}" has been deleted. The site "{0}" has been deleted. - Site activated + Site activated Site activated - The site "{0}" has been activated. + The site "{0}" has been activated. The site "{0}" has been activated. - Site deactivated + Site deactivated Site deactivated - The site "{0}" has been deactivated. + The site "{0}" has been deactivated. The site "{0}" has been deactivated. - Domain updated + Domain updated Domain updated - The domain "{0}" has been updated. + The domain "{0}" has been updated. The domain "{0}" has been updated. - Domain created + Domain created Domain created - 'The domain "{0}" has been created.' + 'The domain "{0}" has been created.' 'The domain "{0}" has been created.' - Domain deleted + Domain deleted Domain deleted - The domain "{0}" has been deleted. + The domain "{0}" has been deleted. The domain "{0}" has been deleted. - Domain activated + Domain activated Domain activated - The domain "{0}" has been activated. + The domain "{0}" has been activated. The domain "{0}" has been activated. - Domain deactivated + Domain deactivated Domain deactivated - The domain "{0}" has been deactivated. + The domain "{0}" has been deactivated. The domain "{0}" has been deactivated. - User created + User created User created - The user "{0}" has been created. + The user "{0}" has been created. The user "{0}" has been created. - User creation denied + User creation denied User creation denied - You are not allowed to create a user with roles "{0}". + You are not allowed to create a user with roles "{0}". You are not allowed to create a user with roles "{0}". - Unable to create user. + Unable to create user. Unable to create user. - User editing denied + User editing denied User editing denied - Not allowed to edit the user "{0}". + Not allowed to edit the user "{0}". Not allowed to edit the user "{0}". - User updated + User updated User updated - The user "{0}" has been updated. + The user "{0}" has been updated. The user "{0}" has been updated. - User editing denied + User editing denied User editing denied - Not allowed to delete the user "{0}". + Not allowed to delete the user "{0}". Not allowed to delete the user "{0}". - Current user cannot be deleted + Current user cannot be deleted Current user cannot be deleted - You cannot delete the currently logged in user + You cannot delete the currently logged in user You cannot delete the currently logged in user - User deleted + User deleted User deleted - The user "{0}" has been deleted. + The user "{0}" has been deleted. The user "{0}" has been deleted. - User account editing denied + User account editing denied User account editing denied - Not allowed to edit the account for the user "{0}". + Not allowed to edit the account for the user "{0}". Not allowed to edit the account for the user "{0}". - Don\'t lock yourself out + Don\'t lock yourself out Don\'t lock yourself out - With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! + With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! With the selected roles the currently logged in user wouldn\'t have access to this module any longer. Please adjust the assigned roles! - Account updated + Account updated Account updated - The account has been updated. + The account has been updated. The account has been updated. - User email editing denied + User email editing denied User email editing denied - Not allowed to create an electronic address for the user "{0}". + Not allowed to create an electronic address for the user "{0}". Not allowed to create an electronic address for the user "{0}". - Electronic address added + Electronic address added Electronic address added - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - User email deletion denied + User email deletion denied User email deletion denied - Not allowed to delete an electronic address for the user "{0}". + Not allowed to delete an electronic address for the user "{0}". Not allowed to delete an electronic address for the user "{0}". - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". - User updated + User updated User updated - Your user has been updated. + Your user has been updated. Your user has been updated. - Updating password failed + Updating password failed Updating password failed - Updating password failed + Updating password failed Updating password failed - Password updated + Password updated Password updated - The password has been updated. + The password has been updated. The password has been updated. - Edit User + Edit User 編輯使用者 - An electronic address "{0}" ({1}) has been added. + An electronic address "{0}" ({1}) has been added. An electronic address "{0}" ({1}) has been added. - Electronic address removed + Electronic address removed Electronic address removed - The electronic address "{0}" ({1}) has been deleted for "{2}". + The electronic address "{0}" ({1}) has been deleted for "{2}". The electronic address "{0}" ({1}) has been deleted for "{2}". From b9dbb99be8f8eb7e0dbb92fe5aa29fbb266cd481 Mon Sep 17 00:00:00 2001 From: Hosted Weblate Date: Wed, 5 Jun 2024 21:28:36 +0200 Subject: [PATCH 20/30] TASK: Translated using Weblate (Spanish) Currently translated at 100.0% (145 of 145 strings) TASK: Translated using Weblate (Spanish) Currently translated at 99.3% (144 of 145 strings) Co-authored-by: Hosted Weblate Co-authored-by: gallegonovato Translate-URL: https://hosted.weblate.org/projects/neos/neos-media-browser-main-8-3/es/ Translation: Neos/Neos.Media.Browser - Main - 8.3 --- .../Private/Translations/es/Main.xlf | 296 +++++++++--------- 1 file changed, 153 insertions(+), 143 deletions(-) diff --git a/Neos.Media.Browser/Resources/Private/Translations/es/Main.xlf b/Neos.Media.Browser/Resources/Private/Translations/es/Main.xlf index ae1cac42e69..8501be494cd 100644 --- a/Neos.Media.Browser/Resources/Private/Translations/es/Main.xlf +++ b/Neos.Media.Browser/Resources/Private/Translations/es/Main.xlf @@ -3,577 +3,587 @@ - Drag and drop an asset on a collection / tag to add them to it. + Drag and drop an asset on a collection / tag to add them to it. Arrastre y suelte un activo en una colección/etiqueta para añadirlos a ella. - Keep the filename "{0}" + Keep the filename "{0}" Conservar el archivo "{0}" - Media + Media Media - This module allows managing of media assets including pictures, videos, audio and documents. + This module allows managing of media assets including pictures, videos, audio and documents. Este módulo permite la gestión de activos de medios incluyendo fotos, videos, audio y documentos. - Name + Name Nombre - Title + Title Título - Label + Label Etiqueta - Caption + Caption Pie de foto - Copyright Notice + Copyright Notice Aviso del derecho de autor - Last modified + Last modified Última modificación - File size + File size Tamaño del archivo - Type + Type Tipo - Tags + Tags Etiquetas - Sort by name + Sort by name Ordenar por nombre - Sort by last modified + Sort by last modified Ordenar por última modificación - Sort by + Sort by Clasificar por - Sort direction + Sort direction Ordenar por dirección - Ascending + Ascending Ascendente - Descending + Descending Descendete - Sort direction Ascending + Sort direction Ascending Ordenar dirección ascendentemente - Sort direction Descending + Sort direction Descending Ordenar dirección descendentemente - Drag and drop on tag or collection + Drag and drop on tag or collection Arrastrar y soltar en la etiqueta o colección - View + View Ver - View asset + View asset Ver bienes - Edit asset + Edit asset Editar activos - Delete asset + Delete asset Eliminar activos - Do you really want to delete asset "{0}"? + Do you really want to delete asset "{0}"? ¿Realmente desea eliminar el activo "{0}"? - Do you really want to delete collection "{0}"? + Do you really want to delete collection "{0}"? ¿Realmente desea eliminar la colección "{0}"? - Do you really want to delete tag "{0}"? + Do you really want to delete tag "{0}"? ¿Realmente desea eliminar la etiqueta "{0}"? - This will delete the asset. + This will delete the asset. Esto eliminará el activo. - This will delete the collection, but not the assets that it contains. + This will delete the collection, but not the assets that it contains. Esto eliminará la colección, pero no los activos que contiene. - This will delete the tag, but not the assets that has it. + This will delete the tag, but not the assets that has it. Esto eliminará la etiqueta, pero no los activos que contiene. - This operation cannot be undone. + This operation cannot be undone. Esta operación no se puede deshacer. - Cancel + Cancel Cancelar - Replace + Replace Reemplazar - Replace asset resource + Replace asset resource Reemplazar recursos activos - Save + Save Guardar - Yes, delete the asset + Yes, delete the asset Sí, eliminar el activo - Yes, delete the collection + Yes, delete the collection Sí, borrar la colección - Yes, delete the tag + Yes, delete the tag Sí, eliminar la etiqueta - Edit {0} + Edit {0} Editar {0} - Search in assets + Search in assets Buscar en activos - Search + Search Buscar - {0} items + {0} items {0} elementos - found matching "{0}" + found matching "{0}" encontrados coincidentes con "{0}" - Upload + Upload Subir - Filter options + Filter options Opciones del filtro - Display all asset types + Display all asset types Mostrar todos los tipos de activos - Only display image assets + Only display image assets Mostrar sólo activos de imágenes - Only display document assets + Only display document assets Mostrar sólo activos de documento - Only display video assets + Only display video assets Mostrar sólo videos - Only display audio assets + Only display audio assets Mostrar sólo activos de audio - All + All Todo - Images + Images Imágenes - Documents + Documents Documentos - Video + Video Vídeo - Audio + Audio Audio - Sort options + Sort options Opciones de ordenación - List view + List view Vista de lista - Thumbnail view + Thumbnail view Vista en miniatura - Connection error + Connection error Error de conexión - Media source + Media source Fuente multimedia - Media sources + Media sources Recursos multimedia - Collections + Collections Colecciones - Edit collections + Edit collections Editar colecciones - Edit collection + Edit collection Editar colección - Delete collection + Delete collection Eliminar colección - Create collection + Create collection Crear colección - Enter collection title + Enter collection title Título de la colección - All collections + All collections Todas las colecciones - Tags + Tags Etiquetas - Edit tags + Edit tags Editar etiquetas - Edit tag + Edit tag Editar etiqueta - Delete tag + Delete tag Eliminar etiqueta - Enter tag label + Enter tag label Introduzca una marca para la etiqueta - Create tag + Create tag Crear etiqueta - All assets + All assets Todos los recursos - All + All Todo - Untagged assets + Untagged assets Activos sin etiquetar - Untagged + Untagged Sin etiquetar - Max. upload size {0} per file + Max. upload size {0} per file Max. tamaño de subida {0} por archivo - Drop files here + Drop files here Soltar archivos aquí - or click to upload + or click to upload o haga clic para subir - Choose file + Choose file Seleccione Archivo - No Assets found. + No Assets found. No se han encontrado activos. - Basics + Basics Fundamentos - Delete + Delete Borrar - Click to delete + Click to delete Haga clic para borrar - Save + Save Guardar - Metadata + Metadata Metadatos - Filename + Filename Nombre de archivo - Last modified (resource) + Last modified (resource) Última modificación (recurso) - File size + File size Tamaño del archivo - Dimensions + Dimensions Dimensiones - Type + Type Tipo - Identifier + Identifier Identificador - Title + Title Título - Caption + Caption Pie de foto - Copyright Notice + Copyright Notice Aviso del derecho de autor - Preview + Preview Vista previa - Download + Download Descarga - Next + Next Siguiente - Previous + Previous Atrás - Cannot upload the file + Cannot upload the file No se puede cargar el archivo - No file selected + No file selected Ningún fichero seleccionado - The file size of {0} exceeds the allowed limit of {1} + The file size of {0} exceeds the allowed limit of {1} El tamaño del archivo de {0} supera el límite permitido de {1} - for the file + for the file para el archivo - Only some of the files were successfully uploaded. Refresh the page to see the those. + Only some of the files were successfully uploaded. Refresh the page to see the those. Sólo algunos de los archivos fueron subidos con éxito. Actualice la página para ver cuales han sido. - Tagging the asset failed. + Tagging the asset failed. El etiquetado del activo ha fallado. - Adding the asset to the collection failed. + Adding the asset to the collection failed. El agregar el recurso a la colección ha fallado. - Creating + Creating Creando - Asset could not be deleted, because there are still Nodes using it + Asset could not be deleted, because there are still Nodes using it El activo no pudo ser eliminado, porque aún hay nodos utilizándolo {0} usages - {0} uso + {0} uso + {0} usages - {0} usos + {0} usos + - References to "{asset}" + References to "{asset}" Referencias a "{asset}" - Replace "{filename}" + Replace "{filename}" Reemplazar "{filename}" - You can replace this asset by uploading a new file. Once replaced, the new asset will be used on all places where the asset is used on your website. + You can replace this asset by uploading a new file. Once replaced, the new asset will be used on all places where the asset is used on your website. Puede reemplazar este activo subiendo un nuevo archivo. Una vez reemplazado, el nuevo activo será usado en todos los otros lugares donde el anterior activo era usado en el sitio web. - Note + Note Nota - This operation will replace the asset in all published or unpublished workspaces, including the live website. + This operation will replace the asset in all published or unpublished workspaces, including the live website. Esta operación reemplazará al activo en todos los espacios de trabajo publicados o no publicados, incluyendo el sitio web. - Choose a new file + Choose a new file Seleccione un nuevo archivo - Currently the asset is used {usageCount} times. + Currently the asset is used {usageCount} times. Actualmente el activo es utilizado {usageCount} veces. - Show all usages + Show all usages Mostrar todos los usos - Currently the asset is not in used anywhere on the website. + Currently the asset is not in used anywhere on the website. Actualmente los bienes no se utilizan en ninguna parte del sitio web. - Preview current file + Preview current file Vista previa del archivo actual - Could not replace asset + Could not replace asset No se puede reemplazar el recurso - Asset "{0}" has been replaced. + Asset "{0}" has been replaced. El recurso "{0}" ha sido reemplazado. - Asset "{0}" has been updated. + Asset "{0}" has been updated. El recurso "{0}" ha sido actualizado. - Asset "{0}" has been added. + Asset "{0}" has been added. El recurso "{0}" ha sido añadido. - Asset "{0}" has been deleted. + Asset "{0}" has been deleted. El recurso "{0}" ha sido eliminado. - Asset could not be deleted. + Asset could not be deleted. El recurso no puede ser eliminado. - Tag "{0}" already exists and was added to collection. + Tag "{0}" already exists and was added to collection. La etiqueta "{0}" ya existe y fué añadida a la colección. - Tag "{0}" has been created. + Tag "{0}" has been created. La etiqueta "{0}" ha sido creada. - Tag "{0}" has been updated. + Tag "{0}" has been updated. La etiqueta "{0}" ha sido actualizada. - Tag "{0}" has been deleted. + Tag "{0}" has been deleted. La etiqueta "{0}" ha sido eliminada. - Collection "{0}" has been created. + Collection "{0}" has been created. La colección "{0}" ha sido creada. - Collection "{0}" has been updated. + Collection "{0}" has been updated. La colección "{0}" ha sido actualizada. - Collection "{0}" has been deleted. + Collection "{0}" has been deleted. La colección "{0}" ha sido eliminada. - Generate redirects from original file url to the new url + Generate redirects from original file url to the new url Generar redirecciones de la url del archivo original a la nueva url - 'Resources of type "{0}" can only be replaced by a similar resource. Got type "{1}"' + 'Resources of type "{0}" can only be replaced by a similar resource. Got type "{1}"' ' Los recursos de tipo "{0}" sólo pueden ser sustituidos por un recurso similar. El recurso tiene tipo "{1}" ' - No access to workspace "{0}" + No access to workspace "{0}" Sin acceso al espacio de trabajo "{0}" - No document node found for this node + No document node found for this node No se ha encontrado ningún nodo de documento para este nodo - Create missing variants + Create missing variants Crear las variantes que faltan - This asset might contain malicious content! + This asset might contain malicious content! ¡Este activo puede tener contenido malicioso! + + Asset is being imported. Please wait. + Se está importando el activo. Espere por favor. + + + Import still in process. Please wait. + La importación aún no está completa. Espere por favor. + From 04fad53491344e078dc13405be3b6296411ba738 Mon Sep 17 00:00:00 2001 From: Alexander Girod Date: Thu, 6 Jun 2024 19:45:16 +0200 Subject: [PATCH 21/30] Translated using Weblate (German) Currently translated at 100.0% (4 of 4 strings) Co-authored-by: Alexander Girod Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-nodetypespluginview-8-3/de/ Translation: Neos/Neos.Neos - NodeTypes/PluginView - 8.3 --- .../Translations/de/NodeTypes/PluginView.xlf | 26 +++++++++++-------- 1 file changed, 15 insertions(+), 11 deletions(-) diff --git a/Neos.Neos/Resources/Private/Translations/de/NodeTypes/PluginView.xlf b/Neos.Neos/Resources/Private/Translations/de/NodeTypes/PluginView.xlf index a52e8a06f8e..69fb6af111b 100644 --- a/Neos.Neos/Resources/Private/Translations/de/NodeTypes/PluginView.xlf +++ b/Neos.Neos/Resources/Private/Translations/de/NodeTypes/PluginView.xlf @@ -2,18 +2,22 @@ - - Plugin View - Plugin Ansicht + + Plugin View + Plugin-Ansicht + - Plugin Views - Plugin-Ansichten - - Master View - Master Ansicht - - Plugin View - Plugin Ansicht + Plugin Views + Plugin-Ansichten + + + Master View + Master-Ansicht + + + Plugin View + Plugin-Ansicht + From 7ef2af5fa1741389c8420285f52933817f8b24f6 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Thu, 6 Jun 2024 17:59:21 +0000 Subject: [PATCH 22/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index c853ac37b8d..12b5dd06f73 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-05 +The following reference was automatically generated from code on 2024-06-06 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index 5da5fa820ec..dc4475404d4 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index b1f72cbdc8c..41bf022da29 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index 339e1c50022..559c090b7f4 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 1ce086fcd3f..915d92c302d 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index adf9884fc25..f33cf3e3514 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index 5b284f1fb55..4c3d608896d 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index 6267e8c5b06..95ef3e5195a 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index 9ae7b62e24c..09b31cc1145 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index 86dc8ac2e8a..d5d744e2a83 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index 79ab512b4bb..6a129ba17cc 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index 3494f3452fa..a64bd12e1d8 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 112f500e666..372b7b89afe 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 31f9d1dae89..40c1f2afdba 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index f141c56f1ef..7bc01ba2ee5 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 09210665bbd..4bae5816e5c 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index 315559aac37..79c8611c5c6 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-05 +This reference was automatically generated from code on 2024-06-06 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From 1d30488d9566e27f6e192bfd8df6dd60324773f3 Mon Sep 17 00:00:00 2001 From: Alexander Girod Date: Fri, 7 Jun 2024 19:47:47 +0200 Subject: [PATCH 23/30] TASK: Translated using Weblate (German) Currently translated at 100.0% (323 of 323 strings) TASK: Translated using Weblate (German) Currently translated at 100.0% (145 of 145 strings) Co-authored-by: Alexander Girod Translate-URL: https://hosted.weblate.org/projects/neos/neos-media-browser-main-8-3/de/ Translate-URL: https://hosted.weblate.org/projects/neos/neos-neos-modules-8-3/de/ Translation: Neos/Neos.Media.Browser - Main - 8.3 Translation: Neos/Neos.Neos - Modules - 8.3 --- Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf | 2 +- Neos.Neos/Resources/Private/Translations/de/Modules.xlf | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf index fb9ae6906fe..09b1f7c2abb 100644 --- a/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf +++ b/Neos.Media.Browser/Resources/Private/Translations/de/Main.xlf @@ -108,7 +108,7 @@ Do you really want to delete asset "{0}"? - Wollen Sie die Datei "{0}" wirklich löschen? + Wollen Sie das Datei "{0}" wirklich löschen? Do you really want to delete collection "{0}"? diff --git a/Neos.Neos/Resources/Private/Translations/de/Modules.xlf b/Neos.Neos/Resources/Private/Translations/de/Modules.xlf index d01b4bb9b18..130e244c7a0 100644 --- a/Neos.Neos/Resources/Private/Translations/de/Modules.xlf +++ b/Neos.Neos/Resources/Private/Translations/de/Modules.xlf @@ -15,9 +15,9 @@ Management Inhaltsverwaltung - + Contains multiple modules related to management of content - Enthält Module zur Inhaltsverwaltung + Enthält mehrere Module zur Inhaltsverwaltung Workspaces From 56cc58646e132477c567af922010b73ae38c7806 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Fri, 7 Jun 2024 18:03:39 +0000 Subject: [PATCH 24/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index 12b5dd06f73..ebe17f040ec 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-06 +The following reference was automatically generated from code on 2024-06-07 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index dc4475404d4..22e91a6e486 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index 41bf022da29..dee43ccd5e9 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index 559c090b7f4..c1a18ee9bb8 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 915d92c302d..19b81291125 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index f33cf3e3514..b3a86ce9cb3 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index 4c3d608896d..e914c1d4271 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index 95ef3e5195a..05a298a1ab4 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index 09b31cc1145..2eee368a164 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index d5d744e2a83..7852e116768 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index 6a129ba17cc..fce606c415f 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index a64bd12e1d8..425c5a37439 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 372b7b89afe..1466c368b88 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 40c1f2afdba..59b7b40948b 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index 7bc01ba2ee5..7b867ae5511 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 4bae5816e5c..d85717be3d3 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index 79c8611c5c6..ca838937679 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-06 +This reference was automatically generated from code on 2024-06-07 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From c497d729be04ae692d2c95762be89951b03dfcfa Mon Sep 17 00:00:00 2001 From: Jenkins Date: Tue, 11 Jun 2024 18:20:44 +0000 Subject: [PATCH 25/30] TASK: Add changelog for 8.3.14 [skip ci] See https://jenkins.neos.io/job/neos-release/444/ --- .../Appendixes/ChangeLogs/8314.rst | 65 +++++++++++++++++++ 1 file changed, 65 insertions(+) create mode 100644 Neos.Neos/Documentation/Appendixes/ChangeLogs/8314.rst diff --git a/Neos.Neos/Documentation/Appendixes/ChangeLogs/8314.rst b/Neos.Neos/Documentation/Appendixes/ChangeLogs/8314.rst new file mode 100644 index 00000000000..8a240786f70 --- /dev/null +++ b/Neos.Neos/Documentation/Appendixes/ChangeLogs/8314.rst @@ -0,0 +1,65 @@ +`8.3.14 (2024-06-11) `_ +================================================================================================ + +Overview of merged pull requests +~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ + +`BUGFIX: Prevent multiple imports of the same remote asset in the frontend `_ +-------------------------------------------------------------------------------------------------------------------------------------------- + +This is a frontend fix for `#5116 `_and prevents users from triggering multiple import processes for the same remote asset. It is not a sufficient fix to only prevent this in the frontend though, since it doesn't catch it, if two or more different users trigger the import for the same asset at the same time. + +Changes: +- ``select.js``: add data attribute ``data-import-in-process`` to asset once import process has started and remove it when import is done +- ``select.js``: check for new data attribute and only start import process if attribute does not exist +- ``select.js``: add notification to inform user that asset is being imported +- ``select.js``: add notification as warning for user if import is already in process +- ``Main.xlf``: add new notification messages for english +- ``Default.html``: add id for notification container to be able to send notifications to it via js +- ``Configuration.js``: update ``hasConfiguration`` after configuration object was created, because otherwise it will always be false and the translations don't work + +``related:`` https://github.com/neos/neos-development-collection/issues/5116 + +**Info for testing:** +You need to bundle the Neos.Neos assets to get the text for the notification messages. +- navigate to the Neos.Neos package +- run ``yarn`` +- run ``yarn build`` + +* Packages: ``Media.Browser`` + +`BUGFIX: Flush cache also for deleted nodes `_ +------------------------------------------------------------------------------------------------------------- + +Removed nodes can't get found, so they regarding caches don't get flushed. + +The bug was introduced with `#4291 `_ +* Fixes: `#5105 `_ + +* Packages: ``Neos`` + +`BUGFIX: Fix title attribute for impersonate button in user management `_ +---------------------------------------------------------------------------------------------------------------------------------------- + +With this change the localized text is rendered instead of always defaulting to english. + +Changes: + +- ImpersonateButton.js change postion of const localizedTooltip inside ImpersonateButton function and change isNil(window.Typo3Neos) to isNil(window.NeosCMS) +- RestoreButton.js it was always fallback text used change isNil(window.NeosCMS) to !isNil(window.NeosCMS) + +* Fixes: `#4511 `_ + +Checklist + +- [ ] Code follows the PSR-2 coding style +- [ ] Tests have been created, run and adjusted as needed +- [x] The PR is created against the `lowest maintained branch `_ +- [x] Reviewer - PR Title is brief but complete and starts with ``FEATURE|TASK|BUGFIX`` +- [ ] Reviewer - The first section explains the change briefly for change-logs +- [ ] Reviewer - Breaking Changes are marked with ``!!!`` and have upgrade-instructions + +* Packages: ``Neos`` + +`Detailed log `_ +~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ From 0d3da716ec6d0ed864e7b7ef6acf727b36187c8e Mon Sep 17 00:00:00 2001 From: Jenkins Date: Tue, 11 Jun 2024 18:23:37 +0000 Subject: [PATCH 26/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index ebe17f040ec..f4565b7e72c 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-07 +The following reference was automatically generated from code on 2024-06-11 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index 22e91a6e486..3f0fa3d1ee2 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index dee43ccd5e9..d5230a5be42 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index c1a18ee9bb8..bffa223ef0d 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 19b81291125..505eeeedb69 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index b3a86ce9cb3..2fcf2b58b44 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index e914c1d4271..cc3ba359ff9 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index 05a298a1ab4..a8aa165311c 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index 2eee368a164..f795615b9f3 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index 7852e116768..a0195cb5e32 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index fce606c415f..f44535b67c8 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index 425c5a37439..34726872575 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 1466c368b88..056c2efb1ea 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 59b7b40948b..83331dcae7f 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index 7b867ae5511..f0caf4336f1 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index d85717be3d3..3b2e145d2dd 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index ca838937679..a692a26e499 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-07 +This reference was automatically generated from code on 2024-06-11 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From c9d3559f28c84de058bb512b3ddff40a2a1b9ede Mon Sep 17 00:00:00 2001 From: Simon Krull Date: Thu, 13 Jun 2024 10:34:44 +0200 Subject: [PATCH 27/30] BUGFIX: Access isNil function from Helper function to apply image to property --- Neos.Media.Browser/Resources/Public/JavaScript/select.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Neos.Media.Browser/Resources/Public/JavaScript/select.js b/Neos.Media.Browser/Resources/Public/JavaScript/select.js index 5aa77b035f4..aaf3b823f5d 100644 --- a/Neos.Media.Browser/Resources/Public/JavaScript/select.js +++ b/Neos.Media.Browser/Resources/Public/JavaScript/select.js @@ -55,7 +55,7 @@ window.addEventListener('DOMContentLoaded', () => { } const localAssetIdentifier = asset.dataset.localAssetIdentifier; - if (localAssetIdentifier !== '' && !NeosCMS.isNil(localAssetIdentifier)) { + if (localAssetIdentifier !== '' && !NeosCMS.Helper.isNil(localAssetIdentifier)) { NeosMediaBrowserCallbacks.assetChosen(localAssetIdentifier); } else { if (asset.dataset.importInProcess !== 'true') { From 4a2d977afa4071660c6628a1413dfc60cb5182f6 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Thu, 13 Jun 2024 10:00:41 +0000 Subject: [PATCH 28/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index f4565b7e72c..6879f03e6f1 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-11 +The following reference was automatically generated from code on 2024-06-13 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index 3f0fa3d1ee2..4b382f8a6e2 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index d5230a5be42..4cc27cff8a1 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index bffa223ef0d..9b7469e944c 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 505eeeedb69..8d17aa1c710 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index 2fcf2b58b44..bd6f0e404ea 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index cc3ba359ff9..fce6fe34302 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index a8aa165311c..1b03629fbb8 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index f795615b9f3..b81a67ff1d4 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index a0195cb5e32..8c908e82618 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index f44535b67c8..477fa13d1bd 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index 34726872575..e3938312044 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 056c2efb1ea..1f36f47c509 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 83331dcae7f..44ed144d5cb 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index f0caf4336f1..0f4965d8def 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 3b2e145d2dd..9bbb5a518ae 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index a692a26e499..4def07348e0 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-11 +This reference was automatically generated from code on 2024-06-13 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: From d499112e645b209167a6566f2b74ea7ba2cb4616 Mon Sep 17 00:00:00 2001 From: Jenkins Date: Fri, 14 Jun 2024 07:30:11 +0000 Subject: [PATCH 29/30] TASK: Add changelog for 8.3.15 [skip ci] See https://jenkins.neos.io/job/neos-release/445/ --- .../Appendixes/ChangeLogs/8315.rst | 38 +++++++++++++++++++ 1 file changed, 38 insertions(+) create mode 100644 Neos.Neos/Documentation/Appendixes/ChangeLogs/8315.rst diff --git a/Neos.Neos/Documentation/Appendixes/ChangeLogs/8315.rst b/Neos.Neos/Documentation/Appendixes/ChangeLogs/8315.rst new file mode 100644 index 00000000000..4bf16acf4a0 --- /dev/null +++ b/Neos.Neos/Documentation/Appendixes/ChangeLogs/8315.rst @@ -0,0 +1,38 @@ +`8.3.15 (2024-06-14) `_ +================================================================================================ + +Overview of merged pull requests +~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ + +`BUGFIX: Access isNil function from Helper function to apply selected image to property `_ +--------------------------------------------------------------------------------------------------------------------------------------------------------- + +**Upgrade instructions** + +_None_ + +**Review instructions** + +Follow-up to: `#5117 `_ + +With the latest Bugfix release of Neos 8.3.14 currently when selecting an image from the media browser it not will be applyied to the image property as the ``IsNil`` function has to be accessed inside of the ``Helper`` function. + +```javascript +NeosCMS.isNil() +``` +In this case, leads to an unresolved function or method. + +### Before + +https://github.com/neos/neos-development-collection/assets/39345336/ed761221-924d-467f-bd9f-6eb6c97dd553 + +### After + +https://github.com/neos/neos-development-collection/assets/39345336/2c78211a-c8a8-4f55-808a-15b495fde586 + + + +* Packages: ``Neos`` ``Media.Browser`` + +`Detailed log `_ +~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ From 59d4af28c2e2fc08530a4f6f192e490968924e5e Mon Sep 17 00:00:00 2001 From: Jenkins Date: Fri, 14 Jun 2024 07:33:15 +0000 Subject: [PATCH 30/30] TASK: Update references [skip ci] --- Neos.Neos/Documentation/References/CommandReference.rst | 2 +- Neos.Neos/Documentation/References/EelHelpersReference.rst | 2 +- .../Documentation/References/FlowQueryOperationReference.rst | 2 +- .../Documentation/References/Signals/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/Signals/Flow.rst | 2 +- Neos.Neos/Documentation/References/Signals/Media.rst | 2 +- Neos.Neos/Documentation/References/Signals/Neos.rst | 2 +- Neos.Neos/Documentation/References/Validators/Flow.rst | 2 +- Neos.Neos/Documentation/References/Validators/Media.rst | 2 +- Neos.Neos/Documentation/References/Validators/Party.rst | 2 +- .../Documentation/References/ViewHelpers/ContentRepository.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Form.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Media.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/Neos.rst | 2 +- Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/Neos.Neos/Documentation/References/CommandReference.rst b/Neos.Neos/Documentation/References/CommandReference.rst index 6879f03e6f1..8085879bf4a 100644 --- a/Neos.Neos/Documentation/References/CommandReference.rst +++ b/Neos.Neos/Documentation/References/CommandReference.rst @@ -19,7 +19,7 @@ commands that may be available, use:: ./flow help -The following reference was automatically generated from code on 2024-06-13 +The following reference was automatically generated from code on 2024-06-14 .. _`Neos Command Reference: NEOS.CONTENTREPOSITORY`: diff --git a/Neos.Neos/Documentation/References/EelHelpersReference.rst b/Neos.Neos/Documentation/References/EelHelpersReference.rst index 4b382f8a6e2..be9f10702f0 100644 --- a/Neos.Neos/Documentation/References/EelHelpersReference.rst +++ b/Neos.Neos/Documentation/References/EelHelpersReference.rst @@ -3,7 +3,7 @@ Eel Helpers Reference ===================== -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Eel Helpers Reference: Api`: diff --git a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst index 4cc27cff8a1..12df2339512 100644 --- a/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst +++ b/Neos.Neos/Documentation/References/FlowQueryOperationReference.rst @@ -3,7 +3,7 @@ FlowQuery Operation Reference ============================= -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`FlowQuery Operation Reference: add`: diff --git a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst index 9b7469e944c..c851cfcbd65 100644 --- a/Neos.Neos/Documentation/References/Signals/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/Signals/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository Signals Reference ==================================== -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Content Repository Signals Reference: Context (``Neos\ContentRepository\Domain\Service\Context``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Flow.rst b/Neos.Neos/Documentation/References/Signals/Flow.rst index 8d17aa1c710..1a3a4f04d34 100644 --- a/Neos.Neos/Documentation/References/Signals/Flow.rst +++ b/Neos.Neos/Documentation/References/Signals/Flow.rst @@ -3,7 +3,7 @@ Flow Signals Reference ====================== -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Flow Signals Reference: AbstractAdvice (``Neos\Flow\Aop\Advice\AbstractAdvice``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Media.rst b/Neos.Neos/Documentation/References/Signals/Media.rst index bd6f0e404ea..7dd53a591f0 100644 --- a/Neos.Neos/Documentation/References/Signals/Media.rst +++ b/Neos.Neos/Documentation/References/Signals/Media.rst @@ -3,7 +3,7 @@ Media Signals Reference ======================= -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Media Signals Reference: AssetCollectionController (``Neos\Media\Browser\Controller\AssetCollectionController``)`: diff --git a/Neos.Neos/Documentation/References/Signals/Neos.rst b/Neos.Neos/Documentation/References/Signals/Neos.rst index fce6fe34302..9752a6638da 100644 --- a/Neos.Neos/Documentation/References/Signals/Neos.rst +++ b/Neos.Neos/Documentation/References/Signals/Neos.rst @@ -3,7 +3,7 @@ Neos Signals Reference ====================== -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Neos Signals Reference: AbstractCreate (``Neos\Neos\Ui\Domain\Model\Changes\AbstractCreate``)`: diff --git a/Neos.Neos/Documentation/References/Validators/Flow.rst b/Neos.Neos/Documentation/References/Validators/Flow.rst index 1b03629fbb8..7e5452e066f 100644 --- a/Neos.Neos/Documentation/References/Validators/Flow.rst +++ b/Neos.Neos/Documentation/References/Validators/Flow.rst @@ -3,7 +3,7 @@ Flow Validator Reference ======================== -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Flow Validator Reference: AggregateBoundaryValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Media.rst b/Neos.Neos/Documentation/References/Validators/Media.rst index b81a67ff1d4..d982b23b481 100644 --- a/Neos.Neos/Documentation/References/Validators/Media.rst +++ b/Neos.Neos/Documentation/References/Validators/Media.rst @@ -3,7 +3,7 @@ Media Validator Reference ========================= -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Media Validator Reference: ImageOrientationValidator`: diff --git a/Neos.Neos/Documentation/References/Validators/Party.rst b/Neos.Neos/Documentation/References/Validators/Party.rst index 8c908e82618..a7caf513fd4 100644 --- a/Neos.Neos/Documentation/References/Validators/Party.rst +++ b/Neos.Neos/Documentation/References/Validators/Party.rst @@ -3,7 +3,7 @@ Party Validator Reference ========================= -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Party Validator Reference: AimAddressValidator`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst index 477fa13d1bd..99bc45a632b 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/ContentRepository.rst @@ -3,7 +3,7 @@ Content Repository ViewHelper Reference ####################################### -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Content Repository ViewHelper Reference: PaginateViewHelper`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst index e3938312044..1f3ffe1d718 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/FluidAdaptor.rst @@ -3,7 +3,7 @@ FluidAdaptor ViewHelper Reference ################################# -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`FluidAdaptor ViewHelper Reference: f:debug`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst index 1f36f47c509..535ed3c758d 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Form.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Form.rst @@ -3,7 +3,7 @@ Form ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Form ViewHelper Reference: neos.form:form`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst index 44ed144d5cb..e319b6ae23f 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Fusion.rst @@ -3,7 +3,7 @@ Fusion ViewHelper Reference ########################### -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Fusion ViewHelper Reference: fusion:render`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst index 0f4965d8def..4b47b651cd9 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Media.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Media.rst @@ -3,7 +3,7 @@ Media ViewHelper Reference ########################## -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Media ViewHelper Reference: neos.media:fileTypeIcon`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst index 9bbb5a518ae..f1da705ed67 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/Neos.rst @@ -3,7 +3,7 @@ Neos ViewHelper Reference ######################### -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`Neos ViewHelper Reference: neos:backend.authenticationProviderLabel`: diff --git a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst index 4def07348e0..7db0742163b 100644 --- a/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst +++ b/Neos.Neos/Documentation/References/ViewHelpers/TYPO3Fluid.rst @@ -3,7 +3,7 @@ TYPO3 Fluid ViewHelper Reference ################################ -This reference was automatically generated from code on 2024-06-13 +This reference was automatically generated from code on 2024-06-14 .. _`TYPO3 Fluid ViewHelper Reference: f:alias`: